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
OModifiableInteger
/* * Copyright 2010-2012 Luca Garulli (l.garulli--at--orientechnologies.com) * * 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. */ /** * Modifiable Integer. Like java.lang.Integer but the value is modifiable. * * @author Luca Garulli (l.garulli--at--orientechnologies.com) */ @SuppressWarnings("serial") public class OModifiableInteger extends Number implements Comparable<OModifiableInteger> { public int value; public OModifiableInteger() { value = 0; } public OModifiableInteger(final int iValue) { value = iValue; } public void setValue(final int iValue) { value = iValue; } public int getValue() { return value; } public void increment() { value++; } public void increment(final int iValue) { value += iValue; } public void decrement() { value--; } public void decrement(final int iValue) { value -= iValue; } public int compareTo(final OModifiableInteger anotherInteger) { int thisVal = value; int anotherVal = anotherInteger.value; return (thisVal < anotherVal) ? -1 : ((thisVal == anotherVal) ? 0 : 1); } @Override public byte byteValue() { return (byte) value; } @Override public short shortValue() { return (short) value; } @Override public float floatValue() { return value; } @Override public double doubleValue() { return value; } @Override public int intValue() { return value; } @Override public long longValue() { return value; } public Integer toInteger() { return Integer.valueOf(this.value); } @Override public boolean equals(final Object o) { if (o instanceof OModifiableInteger) { return value == ((OModifiableInteger) o).value; } return false; } @Override public int hashCode() { return value; } @Override public String toString() { return String.valueOf(this.value); } }
.version 52 0 .class public super OModifiableInteger .super java/lang/Number .implements java/lang/Comparable .field public value I .method public <init> : ()V .code stack 2 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Number <init> ()V L4: aload_0 L5: iconst_0 L6: putfield Field OModifiableInteger value I L9: return L10: .linenumbertable L0 28 L4 29 L9 30 .end linenumbertable .end code .end method .method public <init> : (I)V .code stack 2 locals 2 L0: aload_0 L1: invokespecial Method java/lang/Number <init> ()V L4: aload_0 L5: iload_1 L6: putfield Field OModifiableInteger value I L9: return L10: .linenumbertable L0 32 L4 33 L9 34 .end linenumbertable .end code .end method .method public setValue : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field OModifiableInteger value I L5: return L6: .linenumbertable L0 37 L5 38 .end linenumbertable .end code .end method .method public getValue : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field OModifiableInteger value I L4: ireturn L5: .linenumbertable L0 41 .end linenumbertable .end code .end method .method public increment : ()V .code stack 3 locals 1 L0: aload_0 L1: dup L2: getfield Field OModifiableInteger value I L5: iconst_1 L6: iadd L7: putfield Field OModifiableInteger value I L10: return L11: .linenumbertable L0 45 L10 46 .end linenumbertable .end code .end method .method public increment : (I)V .code stack 3 locals 2 L0: aload_0 L1: dup L2: getfield Field OModifiableInteger value I L5: iload_1 L6: iadd L7: putfield Field OModifiableInteger value I L10: return L11: .linenumbertable L0 49 L10 50 .end linenumbertable .end code .end method .method public decrement : ()V .code stack 3 locals 1 L0: aload_0 L1: dup L2: getfield Field OModifiableInteger value I L5: iconst_1 L6: isub L7: putfield Field OModifiableInteger value I L10: return L11: .linenumbertable L0 53 L10 54 .end linenumbertable .end code .end method .method public decrement : (I)V .code stack 3 locals 2 L0: aload_0 L1: dup L2: getfield Field OModifiableInteger value I L5: iload_1 L6: isub L7: putfield Field OModifiableInteger value I L10: return L11: .linenumbertable L0 57 L10 58 .end linenumbertable .end code .end method .method public compareTo : (LOModifiableInteger;)I .code stack 2 locals 4 L0: aload_0 L1: getfield Field OModifiableInteger value I L4: istore_2 L5: aload_1 L6: getfield Field OModifiableInteger value I L9: istore_3 L10: iload_2 L11: iload_3 L12: if_icmpge L19 L15: iconst_m1 L16: goto L29 .stack append Integer Integer L19: iload_2 L20: iload_3 L21: if_icmpne L28 L24: iconst_0 L25: goto L29 .stack same L28: iconst_1 .stack stack_1 Integer L29: ireturn L30: .linenumbertable L0 61 L5 62 L10 64 .end linenumbertable .end code .end method .method public byteValue : ()B .code stack 1 locals 1 L0: aload_0 L1: getfield Field OModifiableInteger value I L4: i2b L5: ireturn L6: .linenumbertable L0 69 .end linenumbertable .end code .end method .method public shortValue : ()S .code stack 1 locals 1 L0: aload_0 L1: getfield Field OModifiableInteger value I L4: i2s L5: ireturn L6: .linenumbertable L0 74 .end linenumbertable .end code .end method .method public floatValue : ()F .code stack 1 locals 1 L0: aload_0 L1: getfield Field OModifiableInteger value I L4: i2f L5: freturn L6: .linenumbertable L0 79 .end linenumbertable .end code .end method .method public doubleValue : ()D .code stack 2 locals 1 L0: aload_0 L1: getfield Field OModifiableInteger value I L4: i2d L5: dreturn L6: .linenumbertable L0 84 .end linenumbertable .end code .end method .method public intValue : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field OModifiableInteger value I L4: ireturn L5: .linenumbertable L0 89 .end linenumbertable .end code .end method .method public longValue : ()J .code stack 2 locals 1 L0: aload_0 L1: getfield Field OModifiableInteger value I L4: i2l L5: lreturn L6: .linenumbertable L0 94 .end linenumbertable .end code .end method .method public toInteger : ()Ljava/lang/Integer; .code stack 1 locals 1 L0: aload_0 L1: getfield Field OModifiableInteger value I L4: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; L7: areturn L8: .linenumbertable L0 98 .end linenumbertable .end code .end method .method public equals : (Ljava/lang/Object;)Z .code stack 2 locals 2 L0: aload_1 L1: instanceof OModifiableInteger L4: ifeq L27 L7: aload_0 L8: getfield Field OModifiableInteger value I L11: aload_1 L12: checkcast OModifiableInteger L15: getfield Field OModifiableInteger value I L18: if_icmpne L25 L21: iconst_1 L22: goto L26 .stack same L25: iconst_0 .stack stack_1 Integer L26: ireturn .stack same L27: iconst_0 L28: ireturn L29: .linenumbertable L0 103 L7 104 L27 106 .end linenumbertable .end code .end method .method public hashCode : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field OModifiableInteger value I L4: ireturn L5: .linenumbertable L0 111 .end linenumbertable .end code .end method .method public toString : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field OModifiableInteger value I L4: invokestatic Method java/lang/String valueOf (I)Ljava/lang/String; L7: areturn L8: .linenumbertable L0 116 .end linenumbertable .end code .end method .method public bridge synthetic compareTo : (Ljava/lang/Object;)I .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: checkcast OModifiableInteger L5: invokevirtual Method OModifiableInteger compareTo (LOModifiableInteger;)I L8: ireturn L9: .linenumbertable L0 24 .end linenumbertable .end code .end method .signature Ljava/lang/Number;Ljava/lang/Comparable<LOModifiableInteger;>; .sourcefile 'OModifiableInteger.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 17:39:28 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 OModifiableInteger_ESTest extends OModifiableInteger_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); oModifiableInteger0.decrement(3101); OModifiableInteger oModifiableInteger1 = new OModifiableInteger(); boolean boolean0 = oModifiableInteger0.equals(oModifiableInteger1); assertEquals((-3101), oModifiableInteger0.value); assertFalse(boolean0); } @Test(timeout = 4000) public void test01() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger((-59764)); oModifiableInteger0.setValue(34055); oModifiableInteger0.toInteger(); assertEquals(34055, oModifiableInteger0.value); } @Test(timeout = 4000) public void test02() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger((-59764)); oModifiableInteger0.increment((-59764)); oModifiableInteger0.decrement((-59764)); oModifiableInteger0.increment((-59764)); oModifiableInteger0.increment((-59764)); oModifiableInteger0.increment((-59764)); Integer integer0 = oModifiableInteger0.toInteger(); assertEquals((-239056), (int)integer0); } @Test(timeout = 4000) public void test03() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); oModifiableInteger0.setValue((-39415)); short short0 = oModifiableInteger0.shortValue(); assertEquals((-39415), oModifiableInteger0.value); assertEquals((short)26121, short0); } @Test(timeout = 4000) public void test04() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger((-1)); short short0 = oModifiableInteger0.shortValue(); assertEquals((short) (-1), short0); } @Test(timeout = 4000) public void test05() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); assertEquals(0, oModifiableInteger0.value); oModifiableInteger0.setValue(1); long long0 = oModifiableInteger0.longValue(); assertEquals(1L, long0); } @Test(timeout = 4000) public void test06() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); oModifiableInteger0.decrement(); long long0 = oModifiableInteger0.longValue(); assertEquals((-1), oModifiableInteger0.value); assertEquals((-1L), long0); } @Test(timeout = 4000) public void test07() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); oModifiableInteger0.decrement((-4371)); int int0 = oModifiableInteger0.intValue(); assertEquals(4371, oModifiableInteger0.value); assertEquals(4371, int0); } @Test(timeout = 4000) public void test08() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); oModifiableInteger0.increment((-88739)); int int0 = oModifiableInteger0.intValue(); assertEquals((-88739), oModifiableInteger0.value); assertEquals((-88739), int0); } @Test(timeout = 4000) public void test09() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger((-59764)); oModifiableInteger0.setValue(34055); int int0 = oModifiableInteger0.getValue(); assertEquals(34055, oModifiableInteger0.value); assertEquals(34055, int0); } @Test(timeout = 4000) public void test10() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); oModifiableInteger0.increment((-55129)); int int0 = oModifiableInteger0.getValue(); assertEquals((-55129), oModifiableInteger0.value); assertEquals((-55129), int0); } @Test(timeout = 4000) public void test11() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); oModifiableInteger0.decrement(); float float0 = oModifiableInteger0.floatValue(); assertEquals((-1), oModifiableInteger0.value); assertEquals((-1.0F), float0, 0.01F); } @Test(timeout = 4000) public void test12() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); assertEquals(0, oModifiableInteger0.value); oModifiableInteger0.setValue(1); double double0 = oModifiableInteger0.doubleValue(); assertEquals(1.0, double0, 1.0E-4); } @Test(timeout = 4000) public void test13() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); oModifiableInteger0.decrement(); double double0 = oModifiableInteger0.doubleValue(); assertEquals((-1), oModifiableInteger0.value); assertEquals((-1.0), double0, 1.0E-4); } @Test(timeout = 4000) public void test14() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); oModifiableInteger0.setValue((-39415)); byte byte0 = oModifiableInteger0.byteValue(); assertEquals((-39415), oModifiableInteger0.value); assertEquals((byte)9, byte0); } @Test(timeout = 4000) public void test15() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); oModifiableInteger0.increment((-55129)); byte byte0 = oModifiableInteger0.byteValue(); assertEquals((-55129), oModifiableInteger0.value); assertEquals((byte) (-89), byte0); } @Test(timeout = 4000) public void test16() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); boolean boolean0 = oModifiableInteger0.equals(oModifiableInteger0); assertEquals(0, oModifiableInteger0.value); assertTrue(boolean0); } @Test(timeout = 4000) public void test17() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); boolean boolean0 = oModifiableInteger0.equals(";ez{y%I=P"); assertFalse(boolean0); assertEquals(0, oModifiableInteger0.value); } @Test(timeout = 4000) public void test18() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); oModifiableInteger0.decrement((-4371)); OModifiableInteger oModifiableInteger1 = new OModifiableInteger(); int int0 = oModifiableInteger0.compareTo(oModifiableInteger1); assertEquals(4371, oModifiableInteger0.value); assertEquals(1, int0); } @Test(timeout = 4000) public void test19() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); oModifiableInteger0.decrement(); OModifiableInteger oModifiableInteger1 = new OModifiableInteger(); int int0 = oModifiableInteger0.compareTo(oModifiableInteger1); assertEquals((-1), oModifiableInteger0.value); assertEquals((-1), int0); } @Test(timeout = 4000) public void test20() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); int int0 = oModifiableInteger0.compareTo(oModifiableInteger0); assertEquals(0, oModifiableInteger0.value); assertEquals(0, int0); } @Test(timeout = 4000) public void test21() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); oModifiableInteger0.increment(); OModifiableInteger oModifiableInteger1 = new OModifiableInteger(); boolean boolean0 = oModifiableInteger0.equals(oModifiableInteger1); assertEquals(1, oModifiableInteger0.value); assertFalse(boolean0); } @Test(timeout = 4000) public void test22() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); byte byte0 = oModifiableInteger0.byteValue(); assertEquals((byte)0, byte0); } @Test(timeout = 4000) public void test23() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); Integer integer0 = oModifiableInteger0.toInteger(); assertEquals(0, (int)integer0); } @Test(timeout = 4000) public void test24() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(1); oModifiableInteger0.decrement(); float float0 = oModifiableInteger0.floatValue(); assertEquals(0, oModifiableInteger0.value); assertEquals(0.0F, float0, 0.01F); } @Test(timeout = 4000) public void test25() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); short short0 = oModifiableInteger0.shortValue(); assertEquals((short)0, short0); } @Test(timeout = 4000) public void test26() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); long long0 = oModifiableInteger0.longValue(); assertEquals(0L, long0); } @Test(timeout = 4000) public void test27() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); oModifiableInteger0.increment((-1)); oModifiableInteger0.toInteger(); assertEquals((-1), oModifiableInteger0.value); } @Test(timeout = 4000) public void test28() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); oModifiableInteger0.hashCode(); assertEquals(0, oModifiableInteger0.value); } @Test(timeout = 4000) public void test29() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); String string0 = oModifiableInteger0.toString(); assertEquals("0", string0); } @Test(timeout = 4000) public void test30() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); int int0 = oModifiableInteger0.getValue(); assertEquals(0, int0); } @Test(timeout = 4000) public void test31() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); double double0 = oModifiableInteger0.doubleValue(); assertEquals(0.0, double0, 1.0E-4); } @Test(timeout = 4000) public void test32() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(); int int0 = oModifiableInteger0.intValue(); assertEquals(0, int0); } @Test(timeout = 4000) public void test33() throws Throwable { OModifiableInteger oModifiableInteger0 = new OModifiableInteger(1); float float0 = oModifiableInteger0.floatValue(); assertEquals(1.0F, float0, 0.01F); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 17:39:28 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 OModifiableInteger_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 = "OModifiableInteger"; 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/tmp64x52mmk"); 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(OModifiableInteger_ESTest_scaffolding.class.getClassLoader() , "OModifiableInteger" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(OModifiableInteger_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "OModifiableInteger" ); } }
15
AuthoritiesConstants
/** Constants for Spring Security authorities. */ public final class AuthoritiesConstants { public static final String ADMIN = "ROLE_ADMIN"; public static final String USER = "ROLE_USER"; public static final String ANONYMOUS = "ROLE_ANONYMOUS"; private AuthoritiesConstants() {} }
.version 52 0 .class public final super AuthoritiesConstants .super java/lang/Object .field public static final ADMIN Ljava/lang/String; = 'ROLE_ADMIN' .field public static final USER Ljava/lang/String; = 'ROLE_USER' .field public static final ANONYMOUS Ljava/lang/String; = 'ROLE_ANONYMOUS' .method private <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 14 L4 15 .end linenumbertable .end code .end method .sourcefile 'AuthoritiesConstants.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 22:38:46 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 AuthoritiesConstants_ESTest extends AuthoritiesConstants_ESTest_scaffolding { @Test public void notGeneratedAnyTest() { // EvoSuite did not generate any tests } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 22:38:46 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class AuthoritiesConstants_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); 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 = "AuthoritiesConstants"; 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(); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); 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() { /*No java.lang.System property to set*/ } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(AuthoritiesConstants_ESTest_scaffolding.class.getClassLoader() , "AuthoritiesConstants" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AuthoritiesConstants_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "AuthoritiesConstants" ); } }
16
FunctorException
// GenericsNote: No conversion needed. /* * Copyright 2001-2004 The Apache Software Foundation * * 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. */ import java.io.PrintStream; import java.io.PrintWriter; /** * Runtime exception thrown from functors. If required, a root cause error can be wrapped within * this one. * * @author Matt Hall, John Watkinson, Stephen Colebourne * @version $Revision: 1.1 $ $Date: 2005/10/11 17:05:19 $ * @since Commons Collections 3.0 */ public class FunctorException extends RuntimeException { /** Does JDK support nested exceptions */ private static final boolean JDK_SUPPORTS_NESTED; static { boolean flag = false; try { Throwable.class.getDeclaredMethod("getCause", new Class[0]); flag = true; } catch (NoSuchMethodException ex) { flag = false; } JDK_SUPPORTS_NESTED = flag; } /** Root cause of the exception */ private final Throwable rootCause; /** Constructs a new <code>FunctorException</code> without specified detail message. */ public FunctorException() { super(); this.rootCause = null; } /** * Constructs a new <code>FunctorException</code> with specified detail message. * * @param msg the error message. */ public FunctorException(String msg) { super(msg); this.rootCause = null; } /** * Constructs a new <code>FunctorException</code> with specified nested <code>Throwable</code> * root cause. * * @param rootCause the exception or error that caused this exception to be thrown. */ public FunctorException(Throwable rootCause) { super((rootCause == null ? null : rootCause.getMessage())); this.rootCause = rootCause; } /** * Constructs a new <code>FunctorException</code> with specified detail message and nested <code> * Throwable</code> root cause. * * @param msg the error message. * @param rootCause the exception or error that caused this exception to be thrown. */ public FunctorException(String msg, Throwable rootCause) { super(msg); this.rootCause = rootCause; } /** * Gets the cause of this throwable. * * @return the cause of this throwable, or <code>null</code> */ public Throwable getCause() { return rootCause; } /** Prints the stack trace of this exception to the standard error stream. */ public void printStackTrace() { printStackTrace(System.err); } /** * Prints the stack trace of this exception to the specified stream. * * @param out the <code>PrintStream</code> to use for output */ public void printStackTrace(PrintStream out) { synchronized (out) { PrintWriter pw = new PrintWriter(out, false); printStackTrace(pw); // Flush the PrintWriter before it's GC'ed. pw.flush(); } } /** * Prints the stack trace of this exception to the specified writer. * * @param out the <code>PrintWriter</code> to use for output */ public void printStackTrace(PrintWriter out) { synchronized (out) { super.printStackTrace(out); if (rootCause != null && !JDK_SUPPORTS_NESTED) { out.print("Caused by: "); rootCause.printStackTrace(out); } } } }
.version 52 0 .class public super FunctorException .super java/lang/RuntimeException .field private static final JDK_SUPPORTS_NESTED Z .field private final rootCause Ljava/lang/Throwable; .method public <init> : ()V .code stack 2 locals 1 L0: aload_0 L1: invokespecial Method java/lang/RuntimeException <init> ()V L4: aload_0 L5: aconst_null L6: putfield Field FunctorException rootCause Ljava/lang/Throwable; L9: return L10: .linenumbertable L0 58 L4 59 L9 60 .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/RuntimeException <init> (Ljava/lang/String;)V L5: aload_0 L6: aconst_null L7: putfield Field FunctorException rootCause Ljava/lang/Throwable; L10: return L11: .linenumbertable L0 69 L5 70 L10 71 .end linenumbertable .end code .end method .method public <init> : (Ljava/lang/Throwable;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: ifnonnull L9 L5: aconst_null L6: goto L13 .stack stack_1 UninitializedThis L9: aload_1 L10: invokevirtual Method java/lang/Throwable getMessage ()Ljava/lang/String; .stack full locals UninitializedThis Object java/lang/Throwable stack UninitializedThis Object java/lang/String .end stack L13: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V L16: aload_0 L17: aload_1 L18: putfield Field FunctorException rootCause Ljava/lang/Throwable; L21: return L22: .linenumbertable L0 81 L16 82 L21 83 .end linenumbertable .end code .end method .method public <init> : (Ljava/lang/String;Ljava/lang/Throwable;)V .code stack 2 locals 3 L0: aload_0 L1: aload_1 L2: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V L5: aload_0 L6: aload_2 L7: putfield Field FunctorException rootCause Ljava/lang/Throwable; L10: return L11: .linenumbertable L0 94 L5 95 L10 96 .end linenumbertable .end code .end method .method public getCause : ()Ljava/lang/Throwable; .code stack 1 locals 1 L0: aload_0 L1: getfield Field FunctorException rootCause Ljava/lang/Throwable; L4: areturn L5: .linenumbertable L0 104 .end linenumbertable .end code .end method .method public printStackTrace : ()V .code stack 2 locals 1 L0: aload_0 L1: getstatic Field java/lang/System err Ljava/io/PrintStream; L4: invokevirtual Method FunctorException printStackTrace (Ljava/io/PrintStream;)V L7: return L8: .linenumbertable L0 111 L7 112 .end linenumbertable .end code .end method .method public printStackTrace : (Ljava/io/PrintStream;)V .code stack 4 locals 5 L0: aload_1 L1: dup L2: astore_2 L3: monitorenter .catch [0] from L4 to L25 using L28 L4: new java/io/PrintWriter L7: dup L8: aload_1 L9: iconst_0 L10: invokespecial Method java/io/PrintWriter <init> (Ljava/io/OutputStream;Z)V L13: astore_3 L14: aload_0 L15: aload_3 L16: invokevirtual Method FunctorException printStackTrace (Ljava/io/PrintWriter;)V L19: aload_3 L20: invokevirtual Method java/io/PrintWriter flush ()V L23: aload_2 L24: monitorexit L25: goto L35 .catch [0] from L28 to L32 using L28 .stack full locals Object FunctorException Object java/io/PrintStream Object java/lang/Object stack Object java/lang/Throwable .end stack L28: astore 4 L30: aload_2 L31: monitorexit L32: aload 4 L34: athrow .stack chop 1 L35: return L36: .linenumbertable L0 120 L4 121 L14 122 L19 124 L23 125 L35 126 .end linenumbertable .end code .end method .method public printStackTrace : (Ljava/io/PrintWriter;)V .code stack 2 locals 4 L0: aload_1 L1: dup L2: astore_2 L3: monitorenter .catch [0] from L4 to L38 using L41 L4: aload_0 L5: aload_1 L6: invokespecial Method java/lang/RuntimeException printStackTrace (Ljava/io/PrintWriter;)V L9: aload_0 L10: getfield Field FunctorException rootCause Ljava/lang/Throwable; L13: ifnull L36 L16: getstatic Field FunctorException JDK_SUPPORTS_NESTED Z L19: ifne L36 L22: aload_1 L23: ldc 'Caused by: ' L25: invokevirtual Method java/io/PrintWriter print (Ljava/lang/String;)V L28: aload_0 L29: getfield Field FunctorException rootCause Ljava/lang/Throwable; L32: aload_1 L33: invokevirtual Method java/lang/Throwable printStackTrace (Ljava/io/PrintWriter;)V .stack append Object java/lang/Object L36: aload_2 L37: monitorexit L38: goto L46 .catch [0] from L41 to L44 using L41 .stack stack_1 Object java/lang/Throwable L41: astore_3 L42: aload_2 L43: monitorexit L44: aload_3 L45: athrow .stack chop 1 L46: return L47: .linenumbertable L0 134 L4 135 L9 136 L22 137 L28 138 L36 140 L46 141 .end linenumbertable .end code .end method .method static <clinit> : ()V .code stack 3 locals 2 L0: iconst_0 L1: istore_0 .catch java/lang/NoSuchMethodException from L2 to L16 using L19 L2: ldc Class java/lang/Throwable L4: ldc 'getCause' L6: iconst_0 L7: anewarray java/lang/Class L10: invokevirtual Method java/lang/Class getDeclaredMethod (Ljava/lang/String;[Ljava/lang/Class;)Ljava/lang/reflect/Method; L13: pop L14: iconst_1 L15: istore_0 L16: goto L22 .stack full locals Integer stack Object java/lang/NoSuchMethodException .end stack L19: astore_1 L20: iconst_0 L21: istore_0 .stack same L22: iload_0 L23: putstatic Field FunctorException JDK_SUPPORTS_NESTED Z L26: return L27: .linenumbertable L0 38 L2 40 L14 41 L16 44 L19 42 L20 43 L22 45 L26 46 .end linenumbertable .end code .end method .sourcefile 'FunctorException.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 07:34:49 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; import java.io.PrintStream; import java.io.PrintWriter; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.evosuite.runtime.mock.java.io.MockPrintWriter; import org.evosuite.runtime.mock.java.lang.MockThrowable; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class FunctorException_ESTest extends FunctorException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { MockThrowable mockThrowable0 = new MockThrowable(); FunctorException functorException0 = new FunctorException(mockThrowable0); Throwable throwable0 = functorException0.getCause(); assertNull(throwable0.getMessage()); } @Test(timeout = 4000) public void test1() throws Throwable { FunctorException functorException0 = new FunctorException(); MockPrintWriter mockPrintWriter0 = new MockPrintWriter("LHAKYodF$kEysG"); functorException0.printStackTrace((PrintWriter) mockPrintWriter0); } @Test(timeout = 4000) public void test2() throws Throwable { FunctorException functorException0 = new FunctorException(); FunctorException functorException1 = new FunctorException(functorException0); MockPrintWriter mockPrintWriter0 = new MockPrintWriter("org.evosuite.runtime.mock.java.lang.MockThrowable"); functorException1.printStackTrace((PrintWriter) mockPrintWriter0); assertFalse(functorException1.equals((Object)functorException0)); } @Test(timeout = 4000) public void test3() throws Throwable { FunctorException functorException0 = new FunctorException(); // Undeclared exception! try { functorException0.printStackTrace((PrintStream) null); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // verifyException("FunctorException", e); } } @Test(timeout = 4000) public void test4() throws Throwable { FunctorException functorException0 = new FunctorException((Throwable) null); } @Test(timeout = 4000) public void test5() throws Throwable { FunctorException functorException0 = new FunctorException(); FunctorException functorException1 = new FunctorException(functorException0); functorException1.printStackTrace(); assertFalse(functorException0.equals((Object)functorException1)); } @Test(timeout = 4000) public void test6() throws Throwable { FunctorException functorException0 = new FunctorException(); MockThrowable mockThrowable0 = new MockThrowable("w@o;hMKUxs'#(", functorException0); FunctorException functorException1 = new FunctorException("w@o;hMKUxs'#(", mockThrowable0); assertFalse(functorException1.equals((Object)functorException0)); } @Test(timeout = 4000) public void test7() throws Throwable { FunctorException functorException0 = new FunctorException("org.evosuite.runtime.mock.java.lang.MockThrowable"); } @Test(timeout = 4000) public void test8() throws Throwable { FunctorException functorException0 = new FunctorException(); Throwable throwable0 = functorException0.getCause(); assertNull(throwable0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 07:34: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 FunctorException_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 = "FunctorException"; 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/tmptxdvjjzo"); 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(FunctorException_ESTest_scaffolding.class.getClassLoader() , "FunctorException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(FunctorException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "FunctorException" ); } }
17
OverrideException
/* * Copyright 2014-2016 CyberVision, Inc. * * 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. */ /** The Class MergeException. */ public class OverrideException extends Exception { /** The Constant serialVersionUID. */ private static final long serialVersionUID = 4195926751373854423L; /** Instantiates a new merge exception. */ public OverrideException() { super(); } /** * Instantiates a new merge exception. * * @param message the message */ public OverrideException(String message) { super(message); } /** * Instantiates a new merge exception. * * @param message the message * @param cause the cause */ public OverrideException(String message, Throwable cause) { super(message, cause); } /** * Instantiates a new merge exception. * * @param cause the cause */ public OverrideException(Throwable cause) { super(cause); } }
.version 52 0 .class public super OverrideException .super java/lang/Exception .field private static final serialVersionUID J = 4195926751373854423L .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 34 L4 35 .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 43 L5 44 .end linenumbertable .end code .end method .method public <init> : (Ljava/lang/String;Ljava/lang/Throwable;)V .code stack 3 locals 3 L0: aload_0 L1: aload_1 L2: aload_2 L3: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;Ljava/lang/Throwable;)V L6: return L7: .linenumbertable L0 53 L6 54 .end linenumbertable .end code .end method .method public <init> : (Ljava/lang/Throwable;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: invokespecial Method java/lang/Exception <init> (Ljava/lang/Throwable;)V L5: return L6: .linenumbertable L0 62 L5 63 .end linenumbertable .end code .end method .sourcefile 'OverrideException.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 15:34:31 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 OverrideException_ESTest extends OverrideException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { OverrideException overrideException0 = new OverrideException(); OverrideException overrideException1 = new OverrideException("", overrideException0); assertFalse(overrideException1.equals((Object)overrideException0)); } @Test(timeout = 4000) public void test1() throws Throwable { OverrideException overrideException0 = new OverrideException(".br 5:h9w,"); } @Test(timeout = 4000) public void test2() throws Throwable { OverrideException overrideException0 = new OverrideException(); OverrideException overrideException1 = new OverrideException(overrideException0); assertFalse(overrideException1.equals((Object)overrideException0)); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 15:34:31 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 OverrideException_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 = "OverrideException"; 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/tmp91__mn5n"); 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(OverrideException_ESTest_scaffolding.class.getClassLoader() , "OverrideException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(OverrideException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "OverrideException" ); } }
18
Base
import java.sql.Date; import java.sql.Timestamp; public class Base implements java.io.Serializable { /** */ private static final long serialVersionUID = 4698283281033542672L; public Base() { super(); } public Base(Long rowId) { super(); this.rowId = rowId; } private Long rowId; // AUTO_INCREMENT private String name; private Double price; private Date pubDate; private Boolean deleted; private Boolean disabled; private Integer rowStatus; private String cruser; private Timestamp crtime; private String mduser; private Timestamp mdtime; private transient String recordId; private transient Integer page; // offset private transient Integer rows; // row_count private transient Integer total; private transient String srt; private transient String ord; public Long getRowId() { return rowId; } public void setRowId(Long rowId) { this.rowId = rowId; } public String getName() { return name; } public void setName(String name) { this.name = name; } public Double getPrice() { return price; } public void setPrice(Double price) { this.price = price; } public Date getPubDate() { return pubDate; } public void setPubDate(Date pubDate) { this.pubDate = pubDate; } public Boolean getDeleted() { return deleted; } public void setDeleted(Boolean deleted) { this.deleted = deleted; } public Boolean getDisabled() { return disabled; } public void setDisabled(Boolean disabled) { this.disabled = disabled; } public Integer getRowStatus() { return rowStatus; } public void setRowStatus(Integer rowStatus) { this.rowStatus = rowStatus; } public String getCruser() { return cruser; } public void setCruser(String cruser) { this.cruser = cruser; } public Timestamp getCrtime() { return crtime; } public void setCrtime(Timestamp crtime) { this.crtime = crtime; } public String getMduser() { return mduser; } public void setMduser(String mduser) { this.mduser = mduser; } public Timestamp getMdtime() { return mdtime; } public void setMdtime(Timestamp mdtime) { this.mdtime = mdtime; } public String getRecordId() { return recordId; } public void setRecordId(String recordId) { this.recordId = recordId; } public Integer getPage() { return page; } public void setPage(Integer page) { this.page = page; } public Integer getRows() { return rows; } public void setRows(Integer rows) { this.rows = rows; } public Integer getTotal() { return total; } public void setTotal(Integer total) { this.total = total; } public String getSrt() { return srt; } public void setSrt(String srt) { this.srt = srt; } public String getOrd() { return ord; } public void setOrd(String ord) { this.ord = ord; } }
.version 52 0 .class public super Base .super java/lang/Object .implements java/io/Serializable .field private static final serialVersionUID J = 4698283281033542672L .field private rowId Ljava/lang/Long; .field private name Ljava/lang/String; .field private price Ljava/lang/Double; .field private pubDate Ljava/sql/Date; .field private deleted Ljava/lang/Boolean; .field private disabled Ljava/lang/Boolean; .field private rowStatus Ljava/lang/Integer; .field private cruser Ljava/lang/String; .field private crtime Ljava/sql/Timestamp; .field private mduser Ljava/lang/String; .field private mdtime Ljava/sql/Timestamp; .field private transient recordId Ljava/lang/String; .field private transient page Ljava/lang/Integer; .field private transient rows Ljava/lang/Integer; .field private transient total Ljava/lang/Integer; .field private transient srt Ljava/lang/String; .field private transient ord 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 13 L4 14 .end linenumbertable .end code .end method .method public <init> : (Ljava/lang/Long;)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 Base rowId Ljava/lang/Long; L9: return L10: .linenumbertable L0 16 L4 17 L9 18 .end linenumbertable .end code .end method .method public getRowId : ()Ljava/lang/Long; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Base rowId Ljava/lang/Long; L4: areturn L5: .linenumbertable L0 40 .end linenumbertable .end code .end method .method public setRowId : (Ljava/lang/Long;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Base rowId Ljava/lang/Long; L5: return L6: .linenumbertable L0 43 L5 44 .end linenumbertable .end code .end method .method public getName : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Base name Ljava/lang/String; L4: areturn L5: .linenumbertable L0 46 .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 Base name Ljava/lang/String; L5: return L6: .linenumbertable L0 49 L5 50 .end linenumbertable .end code .end method .method public getPrice : ()Ljava/lang/Double; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Base price Ljava/lang/Double; L4: areturn L5: .linenumbertable L0 52 .end linenumbertable .end code .end method .method public setPrice : (Ljava/lang/Double;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Base price Ljava/lang/Double; L5: return L6: .linenumbertable L0 55 L5 56 .end linenumbertable .end code .end method .method public getPubDate : ()Ljava/sql/Date; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Base pubDate Ljava/sql/Date; L4: areturn L5: .linenumbertable L0 58 .end linenumbertable .end code .end method .method public setPubDate : (Ljava/sql/Date;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Base pubDate Ljava/sql/Date; L5: return L6: .linenumbertable L0 61 L5 62 .end linenumbertable .end code .end method .method public getDeleted : ()Ljava/lang/Boolean; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Base deleted Ljava/lang/Boolean; L4: areturn L5: .linenumbertable L0 64 .end linenumbertable .end code .end method .method public setDeleted : (Ljava/lang/Boolean;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Base deleted Ljava/lang/Boolean; L5: return L6: .linenumbertable L0 67 L5 68 .end linenumbertable .end code .end method .method public getDisabled : ()Ljava/lang/Boolean; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Base disabled Ljava/lang/Boolean; L4: areturn L5: .linenumbertable L0 70 .end linenumbertable .end code .end method .method public setDisabled : (Ljava/lang/Boolean;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Base disabled Ljava/lang/Boolean; L5: return L6: .linenumbertable L0 73 L5 74 .end linenumbertable .end code .end method .method public getRowStatus : ()Ljava/lang/Integer; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Base rowStatus Ljava/lang/Integer; L4: areturn L5: .linenumbertable L0 76 .end linenumbertable .end code .end method .method public setRowStatus : (Ljava/lang/Integer;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Base rowStatus Ljava/lang/Integer; L5: return L6: .linenumbertable L0 79 L5 80 .end linenumbertable .end code .end method .method public getCruser : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Base cruser Ljava/lang/String; L4: areturn L5: .linenumbertable L0 82 .end linenumbertable .end code .end method .method public setCruser : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Base cruser Ljava/lang/String; L5: return L6: .linenumbertable L0 85 L5 86 .end linenumbertable .end code .end method .method public getCrtime : ()Ljava/sql/Timestamp; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Base crtime Ljava/sql/Timestamp; L4: areturn L5: .linenumbertable L0 88 .end linenumbertable .end code .end method .method public setCrtime : (Ljava/sql/Timestamp;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Base crtime Ljava/sql/Timestamp; L5: return L6: .linenumbertable L0 91 L5 92 .end linenumbertable .end code .end method .method public getMduser : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Base mduser Ljava/lang/String; L4: areturn L5: .linenumbertable L0 94 .end linenumbertable .end code .end method .method public setMduser : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Base mduser Ljava/lang/String; L5: return L6: .linenumbertable L0 97 L5 98 .end linenumbertable .end code .end method .method public getMdtime : ()Ljava/sql/Timestamp; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Base mdtime Ljava/sql/Timestamp; L4: areturn L5: .linenumbertable L0 100 .end linenumbertable .end code .end method .method public setMdtime : (Ljava/sql/Timestamp;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Base mdtime Ljava/sql/Timestamp; L5: return L6: .linenumbertable L0 103 L5 104 .end linenumbertable .end code .end method .method public getRecordId : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Base recordId Ljava/lang/String; L4: areturn L5: .linenumbertable L0 106 .end linenumbertable .end code .end method .method public setRecordId : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Base recordId Ljava/lang/String; L5: return L6: .linenumbertable L0 109 L5 110 .end linenumbertable .end code .end method .method public getPage : ()Ljava/lang/Integer; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Base page Ljava/lang/Integer; L4: areturn L5: .linenumbertable L0 112 .end linenumbertable .end code .end method .method public setPage : (Ljava/lang/Integer;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Base page Ljava/lang/Integer; L5: return L6: .linenumbertable L0 115 L5 116 .end linenumbertable .end code .end method .method public getRows : ()Ljava/lang/Integer; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Base rows Ljava/lang/Integer; L4: areturn L5: .linenumbertable L0 118 .end linenumbertable .end code .end method .method public setRows : (Ljava/lang/Integer;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Base rows Ljava/lang/Integer; L5: return L6: .linenumbertable L0 121 L5 122 .end linenumbertable .end code .end method .method public getTotal : ()Ljava/lang/Integer; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Base total Ljava/lang/Integer; L4: areturn L5: .linenumbertable L0 124 .end linenumbertable .end code .end method .method public setTotal : (Ljava/lang/Integer;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Base total Ljava/lang/Integer; L5: return L6: .linenumbertable L0 127 L5 128 .end linenumbertable .end code .end method .method public getSrt : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Base srt Ljava/lang/String; L4: areturn L5: .linenumbertable L0 130 .end linenumbertable .end code .end method .method public setSrt : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Base srt Ljava/lang/String; L5: return L6: .linenumbertable L0 133 L5 134 .end linenumbertable .end code .end method .method public getOrd : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Base ord Ljava/lang/String; L4: areturn L5: .linenumbertable L0 136 .end linenumbertable .end code .end method .method public setOrd : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Base ord Ljava/lang/String; L5: return L6: .linenumbertable L0 139 L5 140 .end linenumbertable .end code .end method .sourcefile 'Base.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 18:29:20 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import java.sql.Date; import java.sql.Timestamp; import java.time.Clock; import java.time.Instant; import java.time.LocalDateTime; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.evosuite.runtime.mock.java.time.MockClock; import org.evosuite.runtime.mock.java.time.MockInstant; import org.evosuite.runtime.mock.java.time.MockLocalDateTime; 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 Base_ESTest extends Base_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { Base base0 = new Base(); Integer integer0 = new Integer(0); base0.setTotal(integer0); Integer integer1 = base0.getTotal(); assertEquals(0, (int)integer1); } @Test(timeout = 4000) public void test01() throws Throwable { Base base0 = new Base(); Integer integer0 = new Integer(1); base0.setTotal(integer0); Integer integer1 = base0.getTotal(); assertEquals(1, (int)integer1); } @Test(timeout = 4000) public void test02() throws Throwable { Base base0 = new Base((Long) null); Integer integer0 = new Integer((-1)); base0.setTotal(integer0); Integer integer1 = base0.getTotal(); assertEquals((-1), (int)integer1); } @Test(timeout = 4000) public void test03() throws Throwable { Base base0 = new Base(); base0.setSrt("nRjJ@A8c5"); String string0 = base0.getSrt(); assertEquals("nRjJ@A8c5", string0); } @Test(timeout = 4000) public void test04() throws Throwable { Base base0 = new Base((Long) null); base0.setSrt(""); String string0 = base0.getSrt(); assertEquals("", string0); } @Test(timeout = 4000) public void test05() throws Throwable { Long long0 = new Long(78187L); Base base0 = new Base(long0); Integer integer0 = new Integer((-12798)); base0.setRows(integer0); Integer integer1 = base0.getRows(); assertEquals((-12798), (int)integer1); } @Test(timeout = 4000) public void test06() throws Throwable { Base base0 = new Base(); Integer integer0 = new Integer(0); base0.setRows(integer0); Integer integer1 = base0.getRows(); assertEquals(0, (int)integer1); } @Test(timeout = 4000) public void test07() throws Throwable { Base base0 = new Base(); Integer integer0 = new Integer(18519); base0.setRows(integer0); Integer integer1 = base0.getRows(); assertEquals(18519, (int)integer1); } @Test(timeout = 4000) public void test08() throws Throwable { Base base0 = new Base(); Integer integer0 = Integer.getInteger("", 3983); base0.setRows(integer0); Integer integer1 = base0.getRows(); assertEquals(3983, (int)integer1); } @Test(timeout = 4000) public void test09() throws Throwable { Long long0 = new Long((-13756L)); Base base0 = new Base(long0); Integer integer0 = new Integer(35621); base0.setRowStatus(integer0); Integer integer1 = base0.getRowStatus(); assertEquals(35621, (int)integer1); } @Test(timeout = 4000) public void test10() throws Throwable { Long long0 = new Long(64206L); Base base0 = new Base(long0); Integer integer0 = new Integer(0); base0.setRowStatus(integer0); Integer integer1 = base0.getRowStatus(); assertEquals(0, (int)integer1); } @Test(timeout = 4000) public void test11() throws Throwable { Long long0 = new Long((-61346L)); Base base0 = new Base(long0); Integer integer0 = new Integer((-43910)); base0.setRowStatus(integer0); Integer integer1 = base0.getRowStatus(); assertEquals((-43910), (int)integer1); } @Test(timeout = 4000) public void test12() throws Throwable { Long long0 = new Long((-60079L)); Base base0 = new Base(long0); Long long1 = base0.getRowId(); assertEquals((-60079L), (long)long1); } @Test(timeout = 4000) public void test13() throws Throwable { Long long0 = new Long(64206L); Base base0 = new Base(long0); Long long1 = base0.getRowId(); assertEquals(64206L, (long)long1); } @Test(timeout = 4000) public void test14() throws Throwable { Base base0 = new Base(); base0.setRecordId(""); String string0 = base0.getRecordId(); assertEquals("", string0); } @Test(timeout = 4000) public void test15() throws Throwable { Long long0 = new Long(0L); Base base0 = new Base(long0); Date date0 = new Date(68590L); base0.setPubDate(date0); Date date1 = base0.getPubDate(); assertSame(date1, date0); } @Test(timeout = 4000) public void test16() throws Throwable { Long long0 = new Long((-70813L)); Base base0 = new Base(long0); Double double0 = new Double(0.0); base0.setPrice(double0); Double double1 = base0.getPrice(); assertEquals(0.0, (double)double1, 1.0E-4); } @Test(timeout = 4000) public void test17() throws Throwable { Base base0 = new Base((Long) null); Double double0 = new Double((-57736.63081955)); base0.setPrice(double0); Double double1 = base0.getPrice(); assertEquals((-57736.63081955), (double)double1, 1.0E-4); } @Test(timeout = 4000) public void test18() throws Throwable { Long long0 = new Long(0L); Base base0 = new Base(long0); Double double0 = Double.valueOf(42629.0); base0.setPrice(double0); Double double1 = base0.getPrice(); assertEquals(42629.0, (double)double1, 1.0E-4); } @Test(timeout = 4000) public void test19() throws Throwable { Base base0 = new Base(); Integer integer0 = new Integer((-13331)); base0.setPage(integer0); Integer integer1 = base0.getPage(); assertEquals((-13331), (int)integer1); } @Test(timeout = 4000) public void test20() throws Throwable { Long long0 = new Long((-6071L)); Base base0 = new Base(long0); Integer integer0 = new Integer(0); base0.setPage(integer0); Integer integer1 = base0.getPage(); assertEquals(0, (int)integer1); } @Test(timeout = 4000) public void test21() throws Throwable { Base base0 = new Base(); Integer integer0 = new Integer(18519); base0.setPage(integer0); Integer integer1 = base0.getPage(); assertEquals(18519, (int)integer1); } @Test(timeout = 4000) public void test22() throws Throwable { Base base0 = new Base(); base0.setOrd("N& p:ULE"); String string0 = base0.getOrd(); assertEquals("N& p:ULE", string0); } @Test(timeout = 4000) public void test23() throws Throwable { Long long0 = new Long((-34189L)); Base base0 = new Base(long0); base0.setOrd(""); String string0 = base0.getOrd(); assertEquals("", string0); } @Test(timeout = 4000) public void test24() throws Throwable { Base base0 = new Base(); base0.setName("d?C/f PpV,zfg"); String string0 = base0.getName(); assertEquals("d?C/f PpV,zfg", string0); } @Test(timeout = 4000) public void test25() throws Throwable { Long long0 = new Long((-6071L)); Base base0 = new Base(long0); base0.setName(""); String string0 = base0.getName(); assertEquals("", string0); } @Test(timeout = 4000) public void test26() throws Throwable { Base base0 = new Base(); base0.setMduser("aE*3"); String string0 = base0.getMduser(); assertEquals("aE*3", string0); } @Test(timeout = 4000) public void test27() throws Throwable { Base base0 = new Base((Long) null); base0.setMduser(""); String string0 = base0.getMduser(); assertEquals("", string0); } @Test(timeout = 4000) public void test28() throws Throwable { Base base0 = new Base((Long) null); MockDate mockDate0 = new MockDate(80730, 0, 0); Instant instant0 = mockDate0.toInstant(); Timestamp timestamp0 = Timestamp.from(instant0); base0.setMdtime(timestamp0); Timestamp timestamp1 = base0.getMdtime(); assertEquals(0, timestamp1.getNanos()); } @Test(timeout = 4000) public void test29() throws Throwable { Base base0 = new Base(); Instant instant0 = MockInstant.ofEpochMilli(65363L); Timestamp timestamp0 = Timestamp.from(instant0); base0.setMdtime(timestamp0); Timestamp timestamp1 = base0.getMdtime(); assertEquals(363000000, timestamp1.getNanos()); } @Test(timeout = 4000) public void test30() throws Throwable { Long long0 = new Long(0L); Base base0 = new Base(long0); Boolean boolean0 = Boolean.TRUE; base0.setDisabled(boolean0); Boolean boolean1 = base0.getDisabled(); assertTrue(boolean1); } @Test(timeout = 4000) public void test31() throws Throwable { Long long0 = new Long((-70813L)); Base base0 = new Base(long0); Boolean boolean0 = new Boolean(false); base0.setDisabled(boolean0); Boolean boolean1 = base0.getDisabled(); assertFalse(boolean1); } @Test(timeout = 4000) public void test32() throws Throwable { Base base0 = new Base(); Boolean boolean0 = Boolean.TRUE; base0.setDeleted(boolean0); Boolean boolean1 = base0.getDeleted(); assertTrue(boolean1); } @Test(timeout = 4000) public void test33() throws Throwable { Base base0 = new Base(); Boolean boolean0 = new Boolean(""); base0.setDeleted(boolean0); Boolean boolean1 = base0.getDeleted(); assertFalse(boolean1); } @Test(timeout = 4000) public void test34() throws Throwable { Base base0 = new Base(); base0.setCruser("nRjJ@A8c5"); String string0 = base0.getCruser(); assertEquals("nRjJ@A8c5", string0); } @Test(timeout = 4000) public void test35() throws Throwable { Base base0 = new Base(); Instant instant0 = MockInstant.ofEpochSecond(54816L); Timestamp timestamp0 = Timestamp.from(instant0); base0.setCrtime(timestamp0); Timestamp timestamp1 = base0.getCrtime(); assertEquals(0, timestamp1.getNanos()); } @Test(timeout = 4000) public void test36() throws Throwable { Base base0 = new Base(); Date date0 = base0.getPubDate(); assertNull(date0); } @Test(timeout = 4000) public void test37() throws Throwable { Base base0 = new Base(); Long long0 = base0.getRowId(); assertNull(long0); } @Test(timeout = 4000) public void test38() throws Throwable { Base base0 = new Base(); String string0 = base0.getSrt(); assertNull(string0); } @Test(timeout = 4000) public void test39() throws Throwable { Long long0 = new Long((-1L)); Base base0 = new Base(long0); String string0 = base0.getRecordId(); assertNull(string0); } @Test(timeout = 4000) public void test40() throws Throwable { Base base0 = new Base(); Timestamp timestamp0 = base0.getMdtime(); assertNull(timestamp0); } @Test(timeout = 4000) public void test41() throws Throwable { Base base0 = new Base(); Integer integer0 = base0.getPage(); assertNull(integer0); } @Test(timeout = 4000) public void test42() throws Throwable { Base base0 = new Base(); Integer integer0 = base0.getRowStatus(); assertNull(integer0); } @Test(timeout = 4000) public void test43() throws Throwable { Base base0 = new Base(); String string0 = base0.getName(); assertNull(string0); } @Test(timeout = 4000) public void test44() throws Throwable { Base base0 = new Base(); String string0 = base0.getOrd(); assertNull(string0); } @Test(timeout = 4000) public void test45() throws Throwable { Long long0 = new Long((-1L)); Base base0 = new Base(long0); Boolean boolean0 = base0.getDisabled(); assertNull(boolean0); } @Test(timeout = 4000) public void test46() throws Throwable { Base base0 = new Base(); Timestamp timestamp0 = base0.getCrtime(); assertNull(timestamp0); } @Test(timeout = 4000) public void test47() throws Throwable { Base base0 = new Base(); Long long0 = new Long(0L); base0.setRowId(long0); Long long1 = base0.getRowId(); assertEquals(0L, (long)long1); } @Test(timeout = 4000) public void test48() throws Throwable { Base base0 = new Base(); Clock clock0 = MockClock.systemUTC(); LocalDateTime localDateTime0 = MockLocalDateTime.now(clock0); Timestamp timestamp0 = Timestamp.valueOf(localDateTime0); base0.setCrtime(timestamp0); Timestamp timestamp1 = base0.getCrtime(); assertEquals("2014-02-14 20:21:21.32", timestamp1.toString()); } @Test(timeout = 4000) public void test49() throws Throwable { Base base0 = new Base(); String string0 = base0.getCruser(); assertNull(string0); } @Test(timeout = 4000) public void test50() throws Throwable { Base base0 = new Base(); Double double0 = base0.getPrice(); assertNull(double0); } @Test(timeout = 4000) public void test51() throws Throwable { Base base0 = new Base(); String string0 = base0.getMduser(); assertNull(string0); } @Test(timeout = 4000) public void test52() throws Throwable { Long long0 = new Long(78187L); Base base0 = new Base(long0); Integer integer0 = base0.getTotal(); assertNull(integer0); } @Test(timeout = 4000) public void test53() throws Throwable { Long long0 = new Long(78187L); Base base0 = new Base(long0); Integer integer0 = Integer.getInteger("", (-1)); base0.setRowStatus(integer0); Integer integer1 = base0.getRowStatus(); assertEquals((-1), (int)integer1); } @Test(timeout = 4000) public void test54() throws Throwable { Base base0 = new Base(); base0.setCruser(""); String string0 = base0.getCruser(); assertEquals("", string0); } @Test(timeout = 4000) public void test55() throws Throwable { Long long0 = new Long((-1L)); Base base0 = new Base(long0); base0.setRecordId("vOd^@#p+"); String string0 = base0.getRecordId(); assertEquals("vOd^@#p+", string0); } @Test(timeout = 4000) public void test56() throws Throwable { Base base0 = new Base(); Integer integer0 = base0.getRows(); assertNull(integer0); } @Test(timeout = 4000) public void test57() throws Throwable { Base base0 = new Base(); Boolean boolean0 = base0.getDeleted(); assertNull(boolean0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 18:29:20 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 Base_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 = "Base"; 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/tmpkrp5tcor"); 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(Base_ESTest_scaffolding.class.getClassLoader() , "Base" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Base_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Base" ); } }
19
PublicHistory
/* ** Copyright 2013 Mohamed Elsabagh <[email protected]> ** ** This file is part of GoForward. See LICENSE for more details. */ import java.util.Date; import java.util.List; public final class PublicHistory { private Date date; // mutable private List<String> opponents; private String moves; public PublicHistory(Date date, List<String> opponents, String moves) { this.date = date != null ? new Date(date.getTime()) : null; this.opponents = opponents; this.moves = moves; } public Date getDate() { return date != null ? new Date(date.getTime()) : null; } public List<String> getOpponent() { return opponents; } public String getMoves() { return moves; } }
.version 52 0 .class public final super PublicHistory .super java/lang/Object .field private date Ljava/util/Date; .field private opponents Ljava/util/List; .fieldattributes .signature Ljava/util/List<Ljava/lang/String;>; .end fieldattributes .field private moves Ljava/lang/String; .method public <init> : (Ljava/util/Date;Ljava/util/List;Ljava/lang/String;)V .code stack 5 locals 4 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: aload_1 L6: ifnull L23 L9: new java/util/Date L12: dup L13: aload_1 L14: invokevirtual Method java/util/Date getTime ()J L17: invokespecial Method java/util/Date <init> (J)V L20: goto L24 .stack full locals Object PublicHistory Object java/util/Date Object java/util/List Object java/lang/String stack Object PublicHistory .end stack L23: aconst_null .stack full locals Object PublicHistory Object java/util/Date Object java/util/List Object java/lang/String stack Object PublicHistory Object java/util/Date .end stack L24: putfield Field PublicHistory date Ljava/util/Date; L27: aload_0 L28: aload_2 L29: putfield Field PublicHistory opponents Ljava/util/List; L32: aload_0 L33: aload_3 L34: putfield Field PublicHistory moves Ljava/lang/String; L37: return L38: .linenumbertable L0 18 L4 19 L27 20 L32 21 L37 22 .end linenumbertable .end code .signature (Ljava/util/Date;Ljava/util/List<Ljava/lang/String;>;Ljava/lang/String;)V .end method .method public getDate : ()Ljava/util/Date; .code stack 4 locals 1 L0: aload_0 L1: getfield Field PublicHistory date Ljava/util/Date; L4: ifnull L24 L7: new java/util/Date L10: dup L11: aload_0 L12: getfield Field PublicHistory date Ljava/util/Date; L15: invokevirtual Method java/util/Date getTime ()J L18: invokespecial Method java/util/Date <init> (J)V L21: goto L25 .stack same L24: aconst_null .stack stack_1 Object java/util/Date L25: areturn L26: .linenumbertable L0 25 .end linenumbertable .end code .end method .method public getOpponent : ()Ljava/util/List; .code stack 1 locals 1 L0: aload_0 L1: getfield Field PublicHistory opponents Ljava/util/List; L4: areturn L5: .linenumbertable L0 29 .end linenumbertable .end code .signature ()Ljava/util/List<Ljava/lang/String;>; .end method .method public getMoves : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field PublicHistory moves Ljava/lang/String; L4: areturn L5: .linenumbertable L0 33 .end linenumbertable .end code .end method .sourcefile 'PublicHistory.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 20:29:05 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import java.util.Collection; import java.util.Date; import java.util.LinkedList; import java.util.List; import java.util.Locale; 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 PublicHistory_ESTest extends PublicHistory_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { MockDate mockDate0 = new MockDate(0, 0, 0, 0, 0, 0); LinkedList<String> linkedList0 = new LinkedList<String>(); linkedList0.add(""); PublicHistory publicHistory0 = new PublicHistory(mockDate0, linkedList0, "C1,ox6{40 /Uuk["); List<String> list0 = publicHistory0.getOpponent(); assertFalse(list0.isEmpty()); } @Test(timeout = 4000) public void test1() throws Throwable { LinkedList<Locale.LanguageRange> linkedList0 = new LinkedList<Locale.LanguageRange>(); LinkedList<String> linkedList1 = new LinkedList<String>(); List<String> list0 = Locale.filterTags((List<Locale.LanguageRange>) linkedList0, (Collection<String>) linkedList1); PublicHistory publicHistory0 = new PublicHistory((Date) null, list0, ""); List<String> list1 = publicHistory0.getOpponent(); assertSame(list1, list0); } @Test(timeout = 4000) public void test2() throws Throwable { MockDate mockDate0 = new MockDate(0, 0, 0, 11391, 11391, 0); LinkedList<String> linkedList0 = new LinkedList<String>(); PublicHistory publicHistory0 = new PublicHistory(mockDate0, linkedList0, (String) null); String string0 = publicHistory0.getMoves(); assertNull(string0); } @Test(timeout = 4000) public void test3() throws Throwable { MockDate mockDate0 = new MockDate(0, 0, (-1), (-1), 0, 1); PublicHistory publicHistory0 = new PublicHistory(mockDate0, (List<String>) null, ""); String string0 = publicHistory0.getMoves(); assertEquals("", string0); } @Test(timeout = 4000) public void test4() throws Throwable { MockDate mockDate0 = new MockDate(); PublicHistory publicHistory0 = new PublicHistory(mockDate0, (List<String>) null, "Vz2ge5j`o%}Z:rq)"); Date date0 = publicHistory0.getDate(); assertEquals("Fri Feb 14 20:21:21 GMT 2014", date0.toString()); } @Test(timeout = 4000) public void test5() throws Throwable { LinkedList<String> linkedList0 = new LinkedList<String>(); PublicHistory publicHistory0 = new PublicHistory((Date) null, linkedList0, ""); Date date0 = publicHistory0.getDate(); assertNull(date0); } @Test(timeout = 4000) public void test6() throws Throwable { MockDate mockDate0 = new MockDate(); PublicHistory publicHistory0 = new PublicHistory(mockDate0, (List<String>) null, "Vz2ge5j`o%}Z:rq)"); String string0 = publicHistory0.getMoves(); assertEquals("Vz2ge5j`o%}Z:rq)", string0); } @Test(timeout = 4000) public void test7() throws Throwable { MockDate mockDate0 = new MockDate(); PublicHistory publicHistory0 = new PublicHistory(mockDate0, (List<String>) null, "Vz2ge5j`o%}Z:rq)"); List<String> list0 = publicHistory0.getOpponent(); assertNull(list0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 20:29: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 PublicHistory_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 = "PublicHistory"; 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/tmp5tk9vr__"); 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(PublicHistory_ESTest_scaffolding.class.getClassLoader() , "PublicHistory" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PublicHistory_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "PublicHistory" ); } }
20
IncompleteHandshakeException
public class IncompleteHandshakeException extends RuntimeException { private static final long serialVersionUID = 7906596804233893092L; private int newsize; public IncompleteHandshakeException(int newsize) { this.newsize = newsize; } public IncompleteHandshakeException() { this.newsize = 0; } public int getPreferedSize() { return newsize; } }
.version 52 0 .class public super IncompleteHandshakeException .super java/lang/RuntimeException .field private static final serialVersionUID J = 7906596804233893092L .field private newsize I .method public <init> : (I)V .code stack 2 locals 2 L0: aload_0 L1: invokespecial Method java/lang/RuntimeException <init> ()V L4: aload_0 L5: iload_1 L6: putfield Field IncompleteHandshakeException newsize I L9: return L10: .linenumbertable L0 8 L4 9 L9 10 .end linenumbertable .end code .end method .method public <init> : ()V .code stack 2 locals 1 L0: aload_0 L1: invokespecial Method java/lang/RuntimeException <init> ()V L4: aload_0 L5: iconst_0 L6: putfield Field IncompleteHandshakeException newsize I L9: return L10: .linenumbertable L0 12 L4 13 L9 14 .end linenumbertable .end code .end method .method public getPreferedSize : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field IncompleteHandshakeException newsize I L4: ireturn L5: .linenumbertable L0 17 .end linenumbertable .end code .end method .sourcefile 'IncompleteHandshakeException.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 22:15:52 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 IncompleteHandshakeException_ESTest extends IncompleteHandshakeException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { IncompleteHandshakeException incompleteHandshakeException0 = new IncompleteHandshakeException((-1)); int int0 = incompleteHandshakeException0.getPreferedSize(); assertEquals((-1), int0); } @Test(timeout = 4000) public void test1() throws Throwable { IncompleteHandshakeException incompleteHandshakeException0 = new IncompleteHandshakeException(19308); int int0 = incompleteHandshakeException0.getPreferedSize(); assertEquals(19308, int0); } @Test(timeout = 4000) public void test2() throws Throwable { IncompleteHandshakeException incompleteHandshakeException0 = new IncompleteHandshakeException(); int int0 = incompleteHandshakeException0.getPreferedSize(); assertEquals(0, int0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 22:15:52 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 IncompleteHandshakeException_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 = "IncompleteHandshakeException"; 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/tmp9gmf89ix"); 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(IncompleteHandshakeException_ESTest_scaffolding.class.getClassLoader() , "IncompleteHandshakeException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(IncompleteHandshakeException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "IncompleteHandshakeException" ); } }
21
Encrypt
public final class Encrypt { public static final int NONE = 0; public static final int WPA2 = 1; public static final int ENCRYPTS = 2; }
.version 52 0 .class public final super Encrypt .super java/lang/Object .field public static final NONE I = 0 .field public static final WPA2 I = 1 .field public static final ENCRYPTS I = 2 .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 'Encrypt.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 15:05:21 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 Encrypt_ESTest extends Encrypt_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Encrypt encrypt0 = new Encrypt(); assertEquals(2, Encrypt.ENCRYPTS); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 15:05:21 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 Encrypt_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 = "Encrypt"; 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/tmprjl06h5r"); 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(Encrypt_ESTest_scaffolding.class.getClassLoader() , "Encrypt" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Encrypt_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Encrypt" ); } }
22
NXTNotFoundException
public class NXTNotFoundException extends Exception { private static final long serialVersionUID = -7605663541720174844L; public NXTNotFoundException() { super(); } public NXTNotFoundException(String arg0) { super(arg0); } public NXTNotFoundException(Throwable arg0) { super(arg0); } public NXTNotFoundException(String arg0, Throwable arg1) { super(arg0, arg1); } public String getMessage() { if ((getCause() != null) && (getCause().getMessage() != null)) return getCause().getMessage(); else return super.getMessage(); } }
.version 52 0 .class public super NXTNotFoundException .super java/lang/Exception .field private static final serialVersionUID J = -7605663541720174844L .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 8 L4 9 .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 12 L5 13 .end linenumbertable .end code .end method .method public <init> : (Ljava/lang/Throwable;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: invokespecial Method java/lang/Exception <init> (Ljava/lang/Throwable;)V L5: return L6: .linenumbertable L0 16 L5 17 .end linenumbertable .end code .end method .method public <init> : (Ljava/lang/String;Ljava/lang/Throwable;)V .code stack 3 locals 3 L0: aload_0 L1: aload_1 L2: aload_2 L3: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;Ljava/lang/Throwable;)V L6: return L7: .linenumbertable L0 20 L6 21 .end linenumbertable .end code .end method .method public getMessage : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: invokevirtual Method NXTNotFoundException getCause ()Ljava/lang/Throwable; L4: ifnull L25 L7: aload_0 L8: invokevirtual Method NXTNotFoundException getCause ()Ljava/lang/Throwable; L11: invokevirtual Method java/lang/Throwable getMessage ()Ljava/lang/String; L14: ifnull L25 L17: aload_0 L18: invokevirtual Method NXTNotFoundException getCause ()Ljava/lang/Throwable; L21: invokevirtual Method java/lang/Throwable getMessage ()Ljava/lang/String; L24: areturn .stack same L25: aload_0 L26: invokespecial Method java/lang/Exception getMessage ()Ljava/lang/String; L29: areturn L30: .linenumbertable L0 24 L17 25 L25 27 .end linenumbertable .end code .end method .sourcefile 'NXTNotFoundException.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 04:51:58 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.lang.MockThrowable; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class NXTNotFoundException_ESTest extends NXTNotFoundException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { MockThrowable mockThrowable0 = new MockThrowable(); NXTNotFoundException nXTNotFoundException0 = new NXTNotFoundException((String) null, mockThrowable0); String string0 = nXTNotFoundException0.getMessage(); assertNull(string0); } @Test(timeout = 4000) public void test1() throws Throwable { MockThrowable mockThrowable0 = new MockThrowable((String) null); NXTNotFoundException nXTNotFoundException0 = new NXTNotFoundException(mockThrowable0); String string0 = nXTNotFoundException0.getMessage(); assertEquals("org.evosuite.runtime.mock.java.lang.MockThrowable", string0); } @Test(timeout = 4000) public void test2() throws Throwable { NXTNotFoundException nXTNotFoundException0 = new NXTNotFoundException("E/pR?]I"); NXTNotFoundException nXTNotFoundException1 = new NXTNotFoundException(nXTNotFoundException0); String string0 = nXTNotFoundException1.getMessage(); assertEquals("E/pR?]I", string0); } @Test(timeout = 4000) public void test3() throws Throwable { NXTNotFoundException nXTNotFoundException0 = new NXTNotFoundException("E/pR?]I"); String string0 = nXTNotFoundException0.getMessage(); assertEquals("E/pR?]I", string0); } @Test(timeout = 4000) public void test4() throws Throwable { NXTNotFoundException nXTNotFoundException0 = new NXTNotFoundException(""); String string0 = nXTNotFoundException0.getMessage(); assertEquals("", string0); } @Test(timeout = 4000) public void test5() throws Throwable { NXTNotFoundException nXTNotFoundException0 = new NXTNotFoundException(); NXTNotFoundException nXTNotFoundException1 = new NXTNotFoundException(nXTNotFoundException0); assertFalse(nXTNotFoundException1.equals((Object)nXTNotFoundException0)); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 04:51:58 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 NXTNotFoundException_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 = "NXTNotFoundException"; 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/tmpbtye_kjs"); 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(NXTNotFoundException_ESTest_scaffolding.class.getClassLoader() , "NXTNotFoundException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(NXTNotFoundException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "NXTNotFoundException" ); } }
23
Arith
import java.math.BigDecimal; /** * 由于Java的简单类型不能够精确的对浮点数进行运算,这个工具类提供精 确的浮点数运算,包括加减乘除和四舍五入。 * * @author xiaocong * @email [email protected] */ public class Arith { /** 构造方法 */ private Arith() {} /** * 提供精确的加法运算。 * * @param v1 被加数 * @param v2 加数 * @return 两个参数的和 */ public static double add(double v1, double v2) { BigDecimal b1 = new BigDecimal(Double.toString(v1)); BigDecimal b2 = new BigDecimal(Double.toString(v2)); return b1.add(b2).doubleValue(); } /** * 提供精确的加法运算。 * * @param v1 被加数 * @param v2 加数 * @return 两个参数的和 */ public static float add(float v1, float v2) { BigDecimal b1 = new BigDecimal(Float.toString(v1)); BigDecimal b2 = new BigDecimal(Float.toString(v2)); return b1.add(b2).floatValue(); } /** * 提供精确的加法运算。 * * @param v1 数字字符串 * @param v2 数字字符串 * @return 两个参数的和,字符串型 */ public static String add(String v1, String v2) { BigDecimal b1 = new BigDecimal(v1); BigDecimal b2 = new BigDecimal(v2); return b1.add(b2).toString(); } /** * 提供精确的减法运算。 * * @param v1 被减数 * @param v2 减数 * @return 两个参数的差,双精度型 */ public static double sub(double v1, double v2) { BigDecimal b1 = new BigDecimal(Double.toString(v1)); BigDecimal b2 = new BigDecimal(Double.toString(v2)); return b1.subtract(b2).doubleValue(); } /** * 提供精确的减法运算。 * * @param v1 被减数 * @param v2 减数 * @return 两个参数的差 */ public static float sub(float v1, float v2) { BigDecimal b1 = new BigDecimal(Float.toString(v1)); BigDecimal b2 = new BigDecimal(Float.toString(v2)); return b1.subtract(b2).floatValue(); } /** * 提供精确的减法运算。 * * @param v1 数字字符串 * @param v2 数字字符串 * @return 两个参数的差,字符串型 */ public static String sub(String v1, String v2) { BigDecimal b1 = new BigDecimal(v1); BigDecimal b2 = new BigDecimal(v2); return b1.subtract(b2).toString(); } /** * 提供精确的乘法运算。 * * @param v1 被乘数 * @param v2 乘数 * @return 两个参数的积 */ public static double mul(double v1, double v2) { BigDecimal b1 = new BigDecimal(Double.toString(v1)); BigDecimal b2 = new BigDecimal(Double.toString(v2)); return b1.multiply(b2).doubleValue(); } /** * 提供精确的乘法运算。 * * @param v1 被乘数 * @param v2 乘数 * @return 两个参数的积 */ public static float mul(float v1, float v2) { BigDecimal b1 = new BigDecimal(Float.toString(v1)); BigDecimal b2 = new BigDecimal(Float.toString(v2)); return b1.multiply(b2).floatValue(); } /** * 提供精确的乘法运算。 * * @param v1 数字字符串 * @param v2 数字字符串 * @return 两个参数的积,字符串型 */ public static String mul(String v1, String v2) { BigDecimal b1 = new BigDecimal(v1); BigDecimal b2 = new BigDecimal(v2); return b1.multiply(b2).toString(); } /** * 提供(相对)精确的除法运算。当发生除不尽的情况时,由scale参数指 定精度,以后的数字四舍五入。 * * @param v1 被除数 * @param v2 除数 * @param scale 表示需要精确到小数点以后几位。 * @return 两个参数的商,双精度型 */ public static double div(double v1, double v2, int scale) { if (scale < 0) { throw new IllegalArgumentException("The scale must be a positive integer or zero"); } BigDecimal b1 = new BigDecimal(Double.toString(v1)); BigDecimal b2 = new BigDecimal(Double.toString(v2)); return b1.divide(b2, scale, BigDecimal.ROUND_HALF_UP).doubleValue(); } /** * 提供(相对)精确的除法运算。当发生除不尽的情况时,由scale参数指 定精度,以后的数字四舍五入。 * * @param v1 被除数 * @param v2 除数 * @param scale 表示需要精确到小数点以后几位。 * @return 两个参数的商 */ public static float div(float v1, float v2, int scale) { if (scale < 0) { throw new IllegalArgumentException("The scale must be a positive integer or zero"); } BigDecimal b1 = new BigDecimal(Float.toString(v1)); BigDecimal b2 = new BigDecimal(Float.toString(v2)); return b1.divide(b2, scale, BigDecimal.ROUND_HALF_UP).floatValue(); } /** * 提供(相对)精确的除法运算。当发生除不尽的情况时,由scale参数指 定精度,以后的数字四舍五入。 * * @param v1 数字字符串 * @param v2 数字字符串 * @param scale 表示需要精确到小数点以后几位。 * @return 两个参数的商,字符串型 */ public static String div(String v1, String v2, int scale) { if (scale < 0) { throw new IllegalArgumentException("The scale must be a positive integer or zero"); } BigDecimal b1 = new BigDecimal(v1); BigDecimal b2 = new BigDecimal(v2); return b1.divide(b2, scale, BigDecimal.ROUND_HALF_UP).toString(); } /** * 提供精确的小数位四舍五入处理。 * * @param v 需要四舍五入的数字 * @param scale 小数点后保留几位 * @return 四舍五入后的结果,双精度型 */ public static double round(double v, int scale) { if (scale < 0) { throw new IllegalArgumentException("The scale must be a positive integer or zero"); } BigDecimal b = new BigDecimal(Double.toString(v)); BigDecimal one = new BigDecimal("1"); return b.divide(one, scale, BigDecimal.ROUND_HALF_UP).doubleValue(); } /** * 提供精确的小数位四舍五入处理。 * * @param v 需要四舍五入的数字 * @param scale 小数点后保留几位 * @return 四舍五入后的结果,双精度型 */ public static float round(float v, int scale) { if (scale < 0) { throw new IllegalArgumentException("The scale must be a positive integer or zero"); } BigDecimal b = new BigDecimal(Float.toString(v)); BigDecimal one = new BigDecimal("1"); return b.divide(one, scale, BigDecimal.ROUND_HALF_UP).floatValue(); } /** * 提供精确的小数位四舍五入处理。 * * @param v 需要四舍五入的数字字符串 * @param scale 小数点后保留几位 * @return 四舍五入后的结果,字符串型 */ public static String round(String v, int scale) { if (scale < 0) { throw new IllegalArgumentException("The scale must be a positive integer or zero"); } BigDecimal b = new BigDecimal(v); BigDecimal one = new BigDecimal("1"); return b.divide(one, scale, BigDecimal.ROUND_HALF_UP).toString(); } }
.version 52 0 .class public super Arith .super java/lang/Object .method private <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 17 L4 18 .end linenumbertable .end code .end method .method public static add : (DD)D .code stack 4 locals 6 L0: new java/math/BigDecimal L3: dup L4: dload_0 L5: invokestatic Method java/lang/Double toString (D)Ljava/lang/String; L8: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L11: astore 4 L13: new java/math/BigDecimal L16: dup L17: dload_2 L18: invokestatic Method java/lang/Double toString (D)Ljava/lang/String; L21: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L24: astore 5 L26: aload 4 L28: aload 5 L30: invokevirtual Method java/math/BigDecimal add (Ljava/math/BigDecimal;)Ljava/math/BigDecimal; L33: invokevirtual Method java/math/BigDecimal doubleValue ()D L36: dreturn L37: .linenumbertable L0 27 L13 28 L26 29 .end linenumbertable .end code .end method .method public static add : (FF)F .code stack 3 locals 4 L0: new java/math/BigDecimal L3: dup L4: fload_0 L5: invokestatic Method java/lang/Float toString (F)Ljava/lang/String; L8: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L11: astore_2 L12: new java/math/BigDecimal L15: dup L16: fload_1 L17: invokestatic Method java/lang/Float toString (F)Ljava/lang/String; L20: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L23: astore_3 L24: aload_2 L25: aload_3 L26: invokevirtual Method java/math/BigDecimal add (Ljava/math/BigDecimal;)Ljava/math/BigDecimal; L29: invokevirtual Method java/math/BigDecimal floatValue ()F L32: freturn L33: .linenumbertable L0 39 L12 40 L24 41 .end linenumbertable .end code .end method .method public static add : (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; .code stack 3 locals 4 L0: new java/math/BigDecimal L3: dup L4: aload_0 L5: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L8: astore_2 L9: new java/math/BigDecimal L12: dup L13: aload_1 L14: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L17: astore_3 L18: aload_2 L19: aload_3 L20: invokevirtual Method java/math/BigDecimal add (Ljava/math/BigDecimal;)Ljava/math/BigDecimal; L23: invokevirtual Method java/math/BigDecimal toString ()Ljava/lang/String; L26: areturn L27: .linenumbertable L0 51 L9 52 L18 53 .end linenumbertable .end code .end method .method public static sub : (DD)D .code stack 4 locals 6 L0: new java/math/BigDecimal L3: dup L4: dload_0 L5: invokestatic Method java/lang/Double toString (D)Ljava/lang/String; L8: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L11: astore 4 L13: new java/math/BigDecimal L16: dup L17: dload_2 L18: invokestatic Method java/lang/Double toString (D)Ljava/lang/String; L21: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L24: astore 5 L26: aload 4 L28: aload 5 L30: invokevirtual Method java/math/BigDecimal subtract (Ljava/math/BigDecimal;)Ljava/math/BigDecimal; L33: invokevirtual Method java/math/BigDecimal doubleValue ()D L36: dreturn L37: .linenumbertable L0 63 L13 64 L26 65 .end linenumbertable .end code .end method .method public static sub : (FF)F .code stack 3 locals 4 L0: new java/math/BigDecimal L3: dup L4: fload_0 L5: invokestatic Method java/lang/Float toString (F)Ljava/lang/String; L8: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L11: astore_2 L12: new java/math/BigDecimal L15: dup L16: fload_1 L17: invokestatic Method java/lang/Float toString (F)Ljava/lang/String; L20: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L23: astore_3 L24: aload_2 L25: aload_3 L26: invokevirtual Method java/math/BigDecimal subtract (Ljava/math/BigDecimal;)Ljava/math/BigDecimal; L29: invokevirtual Method java/math/BigDecimal floatValue ()F L32: freturn L33: .linenumbertable L0 75 L12 76 L24 77 .end linenumbertable .end code .end method .method public static sub : (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; .code stack 3 locals 4 L0: new java/math/BigDecimal L3: dup L4: aload_0 L5: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L8: astore_2 L9: new java/math/BigDecimal L12: dup L13: aload_1 L14: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L17: astore_3 L18: aload_2 L19: aload_3 L20: invokevirtual Method java/math/BigDecimal subtract (Ljava/math/BigDecimal;)Ljava/math/BigDecimal; L23: invokevirtual Method java/math/BigDecimal toString ()Ljava/lang/String; L26: areturn L27: .linenumbertable L0 87 L9 88 L18 89 .end linenumbertable .end code .end method .method public static mul : (DD)D .code stack 4 locals 6 L0: new java/math/BigDecimal L3: dup L4: dload_0 L5: invokestatic Method java/lang/Double toString (D)Ljava/lang/String; L8: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L11: astore 4 L13: new java/math/BigDecimal L16: dup L17: dload_2 L18: invokestatic Method java/lang/Double toString (D)Ljava/lang/String; L21: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L24: astore 5 L26: aload 4 L28: aload 5 L30: invokevirtual Method java/math/BigDecimal multiply (Ljava/math/BigDecimal;)Ljava/math/BigDecimal; L33: invokevirtual Method java/math/BigDecimal doubleValue ()D L36: dreturn L37: .linenumbertable L0 99 L13 100 L26 101 .end linenumbertable .end code .end method .method public static mul : (FF)F .code stack 3 locals 4 L0: new java/math/BigDecimal L3: dup L4: fload_0 L5: invokestatic Method java/lang/Float toString (F)Ljava/lang/String; L8: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L11: astore_2 L12: new java/math/BigDecimal L15: dup L16: fload_1 L17: invokestatic Method java/lang/Float toString (F)Ljava/lang/String; L20: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L23: astore_3 L24: aload_2 L25: aload_3 L26: invokevirtual Method java/math/BigDecimal multiply (Ljava/math/BigDecimal;)Ljava/math/BigDecimal; L29: invokevirtual Method java/math/BigDecimal floatValue ()F L32: freturn L33: .linenumbertable L0 111 L12 112 L24 113 .end linenumbertable .end code .end method .method public static mul : (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; .code stack 3 locals 4 L0: new java/math/BigDecimal L3: dup L4: aload_0 L5: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L8: astore_2 L9: new java/math/BigDecimal L12: dup L13: aload_1 L14: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L17: astore_3 L18: aload_2 L19: aload_3 L20: invokevirtual Method java/math/BigDecimal multiply (Ljava/math/BigDecimal;)Ljava/math/BigDecimal; L23: invokevirtual Method java/math/BigDecimal toString ()Ljava/lang/String; L26: areturn L27: .linenumbertable L0 123 L9 124 L18 125 .end linenumbertable .end code .end method .method public static div : (DDI)D .code stack 4 locals 7 L0: iload 4 L2: ifge L15 L5: new java/lang/IllegalArgumentException L8: dup L9: ldc 'The scale must be a positive integer or zero' L11: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;)V L14: athrow .stack same L15: new java/math/BigDecimal L18: dup L19: dload_0 L20: invokestatic Method java/lang/Double toString (D)Ljava/lang/String; L23: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L26: astore 5 L28: new java/math/BigDecimal L31: dup L32: dload_2 L33: invokestatic Method java/lang/Double toString (D)Ljava/lang/String; L36: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L39: astore 6 L41: aload 5 L43: aload 6 L45: iload 4 L47: iconst_4 L48: invokevirtual Method java/math/BigDecimal divide (Ljava/math/BigDecimal;II)Ljava/math/BigDecimal; L51: invokevirtual Method java/math/BigDecimal doubleValue ()D L54: dreturn L55: .linenumbertable L0 137 L5 138 L15 142 L28 143 L41 144 .end linenumbertable .end code .end method .method public static div : (FFI)F .code stack 4 locals 5 L0: iload_2 L1: ifge L14 L4: new java/lang/IllegalArgumentException L7: dup L8: ldc 'The scale must be a positive integer or zero' L10: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;)V L13: athrow .stack same L14: new java/math/BigDecimal L17: dup L18: fload_0 L19: invokestatic Method java/lang/Float toString (F)Ljava/lang/String; L22: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L25: astore_3 L26: new java/math/BigDecimal L29: dup L30: fload_1 L31: invokestatic Method java/lang/Float toString (F)Ljava/lang/String; L34: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L37: astore 4 L39: aload_3 L40: aload 4 L42: iload_2 L43: iconst_4 L44: invokevirtual Method java/math/BigDecimal divide (Ljava/math/BigDecimal;II)Ljava/math/BigDecimal; L47: invokevirtual Method java/math/BigDecimal floatValue ()F L50: freturn L51: .linenumbertable L0 156 L4 157 L14 161 L26 162 L39 163 .end linenumbertable .end code .end method .method public static div : (Ljava/lang/String;Ljava/lang/String;I)Ljava/lang/String; .code stack 4 locals 5 L0: iload_2 L1: ifge L14 L4: new java/lang/IllegalArgumentException L7: dup L8: ldc 'The scale must be a positive integer or zero' L10: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;)V L13: athrow .stack same L14: new java/math/BigDecimal L17: dup L18: aload_0 L19: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L22: astore_3 L23: new java/math/BigDecimal L26: dup L27: aload_1 L28: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L31: astore 4 L33: aload_3 L34: aload 4 L36: iload_2 L37: iconst_4 L38: invokevirtual Method java/math/BigDecimal divide (Ljava/math/BigDecimal;II)Ljava/math/BigDecimal; L41: invokevirtual Method java/math/BigDecimal toString ()Ljava/lang/String; L44: areturn L45: .linenumbertable L0 175 L4 176 L14 180 L23 181 L33 182 .end linenumbertable .end code .end method .method public static round : (DI)D .code stack 4 locals 5 L0: iload_2 L1: ifge L14 L4: new java/lang/IllegalArgumentException L7: dup L8: ldc 'The scale must be a positive integer or zero' L10: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;)V L13: athrow .stack same L14: new java/math/BigDecimal L17: dup L18: dload_0 L19: invokestatic Method java/lang/Double toString (D)Ljava/lang/String; L22: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L25: astore_3 L26: new java/math/BigDecimal L29: dup L30: ldc '1' L32: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L35: astore 4 L37: aload_3 L38: aload 4 L40: iload_2 L41: iconst_4 L42: invokevirtual Method java/math/BigDecimal divide (Ljava/math/BigDecimal;II)Ljava/math/BigDecimal; L45: invokevirtual Method java/math/BigDecimal doubleValue ()D L48: dreturn L49: .linenumbertable L0 192 L4 193 L14 197 L26 198 L37 199 .end linenumbertable .end code .end method .method public static round : (FI)F .code stack 4 locals 4 L0: iload_1 L1: ifge L14 L4: new java/lang/IllegalArgumentException L7: dup L8: ldc 'The scale must be a positive integer or zero' L10: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;)V L13: athrow .stack same L14: new java/math/BigDecimal L17: dup L18: fload_0 L19: invokestatic Method java/lang/Float toString (F)Ljava/lang/String; L22: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L25: astore_2 L26: new java/math/BigDecimal L29: dup L30: ldc '1' L32: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L35: astore_3 L36: aload_2 L37: aload_3 L38: iload_1 L39: iconst_4 L40: invokevirtual Method java/math/BigDecimal divide (Ljava/math/BigDecimal;II)Ljava/math/BigDecimal; L43: invokevirtual Method java/math/BigDecimal floatValue ()F L46: freturn L47: .linenumbertable L0 209 L4 210 L14 214 L26 215 L36 216 .end linenumbertable .end code .end method .method public static round : (Ljava/lang/String;I)Ljava/lang/String; .code stack 4 locals 4 L0: iload_1 L1: ifge L14 L4: new java/lang/IllegalArgumentException L7: dup L8: ldc 'The scale must be a positive integer or zero' L10: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;)V L13: athrow .stack same L14: new java/math/BigDecimal L17: dup L18: aload_0 L19: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L22: astore_2 L23: new java/math/BigDecimal L26: dup L27: ldc '1' L29: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L32: astore_3 L33: aload_2 L34: aload_3 L35: iload_1 L36: iconst_4 L37: invokevirtual Method java/math/BigDecimal divide (Ljava/math/BigDecimal;II)Ljava/math/BigDecimal; L40: invokevirtual Method java/math/BigDecimal toString ()Ljava/lang/String; L43: areturn L44: .linenumbertable L0 226 L4 227 L14 231 L23 232 L33 233 .end linenumbertable .end code .end method .sourcefile 'Arith.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 19:31:34 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 Arith_ESTest extends Arith_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { // Undeclared exception! try { Arith.round((String) null, 0); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // } } @Test(timeout = 4000) public void test01() throws Throwable { // Undeclared exception! try { Arith.round("", 13632); fail("Expecting exception: NumberFormatException"); } catch(NumberFormatException e) { // // no message in exception (getMessage() returned null) // verifyException("java.math.BigDecimal", e); } } @Test(timeout = 4000) public void test02() throws Throwable { Arith.add(0.0F, 26805.0F); Arith.round(85337.0F, 0); Arith.div("1", "1", 0); Arith.mul(0.0F, (float) 0); // Undeclared exception! try { Arith.div(26805.0F, 0.0F, 0); fail("Expecting exception: ArithmeticException"); } catch(ArithmeticException e) { // // / by zero // verifyException("java.math.BigDecimal", e); } } @Test(timeout = 4000) public void test03() throws Throwable { // Undeclared exception! try { Arith.mul("1", (String) null); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // } } @Test(timeout = 4000) public void test04() throws Throwable { float float0 = Arith.sub((-1.0F), (-1.0F)); assertEquals(0.0F, float0, 0.01F); } @Test(timeout = 4000) public void test05() throws Throwable { float float0 = Arith.sub((-82459.84F), 80492.0F); assertEquals((-162951.84F), float0, 0.01F); } @Test(timeout = 4000) public void test06() throws Throwable { double double0 = Arith.sub(1.0, 1.0); assertEquals(0.0, double0, 1.0E-4); } @Test(timeout = 4000) public void test07() throws Throwable { double double0 = Arith.sub(0.0, 30241.346506260976); assertEquals((-30241.346506260976), double0, 1.0E-4); } @Test(timeout = 4000) public void test08() throws Throwable { float float0 = Arith.round(0.0F, 10963); assertEquals(0.0F, float0, 0.01F); } @Test(timeout = 4000) public void test09() throws Throwable { float float0 = Arith.round((-82459.84F), 61429); assertEquals((-82459.84F), float0, 0.01F); } @Test(timeout = 4000) public void test10() throws Throwable { double double0 = Arith.round(25686.977896947, 3380); assertEquals(25686.977896947, double0, 1.0E-4); } @Test(timeout = 4000) public void test11() throws Throwable { double double0 = Arith.round((-21697.8219263), 0); assertEquals((-21698.0), double0, 1.0E-4); } @Test(timeout = 4000) public void test12() throws Throwable { float float0 = Arith.mul(3012.7222F, 3012.7222F); assertEquals(9076495.0F, float0, 0.01F); } @Test(timeout = 4000) public void test13() throws Throwable { float float0 = Arith.mul((-59083.457F), 38101.2F); assertEquals((-2.25115059E9F), float0, 0.01F); } @Test(timeout = 4000) public void test14() throws Throwable { double double0 = Arith.mul((-93028.9364732), (-93028.9364732)); assertEquals(8.65438302133468E9, double0, 1.0E-4); } @Test(timeout = 4000) public void test15() throws Throwable { double double0 = Arith.mul(1.0, (-40414.09)); assertEquals((-40414.09), double0, 1.0E-4); } @Test(timeout = 4000) public void test16() throws Throwable { String string0 = Arith.div("1", "1", 0); assertEquals("1", string0); } @Test(timeout = 4000) public void test17() throws Throwable { float float0 = Arith.div(0.0F, 92420.01F, 0); assertEquals(0.0F, float0, 0.01F); } @Test(timeout = 4000) public void test18() throws Throwable { float float0 = Arith.div((-1.0F), (-1.0F), 28218); assertEquals(1.0F, float0, 0.01F); } @Test(timeout = 4000) public void test19() throws Throwable { float float0 = Arith.div((-9264.6F), 52715.5F, 28218); assertEquals((-0.17574717F), float0, 0.01F); } @Test(timeout = 4000) public void test20() throws Throwable { Arith.div(1.0, 1.0, 0); // Undeclared exception! try { Arith.sub("", "^Z=+KaIMh&Zc=a"); fail("Expecting exception: NumberFormatException"); } catch(NumberFormatException e) { // // no message in exception (getMessage() returned null) // verifyException("java.math.BigDecimal", e); } } @Test(timeout = 4000) public void test21() throws Throwable { double double0 = Arith.div(1.0, (double) (-1.0F), 83373); assertEquals((-1.0), double0, 1.0E-4); } @Test(timeout = 4000) public void test22() throws Throwable { float float0 = Arith.add(0.0F, 0.0F); assertEquals(0.0F, float0, 0.01F); } @Test(timeout = 4000) public void test23() throws Throwable { float float0 = Arith.add((-1.0F), (-1.0F)); assertEquals((-2.0F), float0, 0.01F); } @Test(timeout = 4000) public void test24() throws Throwable { double double0 = Arith.add(0.0, (double) 51893.0F); assertEquals(51893.0, double0, 1.0E-4); } @Test(timeout = 4000) public void test25() throws Throwable { double double0 = Arith.add((-42285.43973221758), (-42285.43973221758)); assertEquals((-84570.87946443516), double0, 1.0E-4); } @Test(timeout = 4000) public void test26() throws Throwable { // Undeclared exception! try { Arith.round("", (-1)); fail("Expecting exception: IllegalArgumentException"); } catch(IllegalArgumentException e) { // // The scale must be a positive integer or zero // verifyException("Arith", e); } } @Test(timeout = 4000) public void test27() throws Throwable { // Undeclared exception! try { Arith.round((-1.0F), (-79476)); fail("Expecting exception: IllegalArgumentException"); } catch(IllegalArgumentException e) { // // The scale must be a positive integer or zero // verifyException("Arith", e); } } @Test(timeout = 4000) public void test28() throws Throwable { float float0 = Arith.round(85337.0F, 0); assertEquals(85337.0F, float0, 0.01F); } @Test(timeout = 4000) public void test29() throws Throwable { // Undeclared exception! try { Arith.round((-3602.16679906441), (-43405)); fail("Expecting exception: IllegalArgumentException"); } catch(IllegalArgumentException e) { // // The scale must be a positive integer or zero // verifyException("Arith", e); } } @Test(timeout = 4000) public void test30() throws Throwable { Arith.round(0.0, 54642); // Undeclared exception! try { Arith.div((float) 54642, 0.0F, 54642); fail("Expecting exception: ArithmeticException"); } catch(ArithmeticException e) { // // BigInteger divide by zero // verifyException("java.math.MutableBigInteger", e); } } @Test(timeout = 4000) public void test31() throws Throwable { // Undeclared exception! try { Arith.div("I3TP!?", "Arith", (-1)); fail("Expecting exception: IllegalArgumentException"); } catch(IllegalArgumentException e) { // // The scale must be a positive integer or zero // verifyException("Arith", e); } } @Test(timeout = 4000) public void test32() throws Throwable { // Undeclared exception! try { Arith.div((String) null, (String) null, 83373); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // } } @Test(timeout = 4000) public void test33() throws Throwable { // Undeclared exception! try { Arith.div((-12191.7F), (-12191.7F), (-1)); fail("Expecting exception: IllegalArgumentException"); } catch(IllegalArgumentException e) { // // The scale must be a positive integer or zero // verifyException("Arith", e); } } @Test(timeout = 4000) public void test34() throws Throwable { // Undeclared exception! try { Arith.div(0.0, 0.0, (-28)); fail("Expecting exception: IllegalArgumentException"); } catch(IllegalArgumentException e) { // // The scale must be a positive integer or zero // verifyException("Arith", e); } } @Test(timeout = 4000) public void test35() throws Throwable { double double0 = Arith.div((double) 0.0F, (-37976.37), 43157); assertEquals(0.0, double0, 1.0E-4); } @Test(timeout = 4000) public void test36() throws Throwable { float float0 = Arith.sub(0.0F, (-9865.426F)); assertEquals(9865.426F, float0, 0.01F); } @Test(timeout = 4000) public void test37() throws Throwable { // Undeclared exception! try { Arith.add("*ssAYEiL7H", "*ssAYEiL7H"); fail("Expecting exception: NumberFormatException"); } catch(NumberFormatException e) { // // no message in exception (getMessage() returned null) // verifyException("java.math.BigDecimal", e); } } @Test(timeout = 4000) public void test38() throws Throwable { double double0 = Arith.add(0.0, 0.0); Arith.round(27322.0F, 1); Arith.sub((double) 27322.0F, 0.0); Arith.add(27322.0F, 0.0F); double double1 = Arith.div((double) 0.0F, (-37976.37), 43157); assertEquals(double1, double0, 1.0E-4); } @Test(timeout = 4000) public void test39() throws Throwable { double double0 = Arith.mul((double) 26881.479F, (double) 0.0F); assertEquals(0.0, double0, 1.0E-4); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 19:31: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 Arith_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 = "Arith"; 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/tmppbr5akux"); 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(Arith_ESTest_scaffolding.class.getClassLoader() , "Arith" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Arith_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Arith" ); } }
24
PhonebookUpdate
import java.util.HashMap; import java.util.Map; import java.util.Scanner; public class PhonebookUpdate { public static void main(String[] args) { Scanner scan = new Scanner(System.in); Map<String, String> phonebook = new HashMap<>(); String line = scan.nextLine(); while (!"END".equals(line)) { String[] commandLine = line.split("\\s"); if ("A".equals(commandLine[0])) { phonebook.put(commandLine[1], commandLine[2]); } else if ("S".equals(commandLine[0])) { if (!phonebook.containsKey(commandLine[1])) { System.out.printf("Contact %s does not exist.\n", commandLine[1]); } else { System.out.printf("%s -> %s\n", commandLine[1], phonebook.get(commandLine[1])); } } else if ("ListAll".equals(commandLine[0])) { phonebook.entrySet().stream() .sorted((a, b) -> a.getKey().compareTo(b.getKey())) .forEach(a -> System.out.println(a.getKey() + " -> " + a.getValue())); } line = scan.nextLine(); } } }
.version 52 0 .class public super PhonebookUpdate .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 7 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 8 locals 5 L0: new java/util/Scanner L3: dup L4: getstatic Field java/lang/System in Ljava/io/InputStream; L7: invokespecial Method java/util/Scanner <init> (Ljava/io/InputStream;)V L10: astore_1 L11: new java/util/HashMap L14: dup L15: invokespecial Method java/util/HashMap <init> ()V L18: astore_2 L19: aload_1 L20: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String; L23: astore_3 .stack append Object java/util/Scanner Object java/util/Map Object java/lang/String L24: ldc 'END' L26: aload_3 L27: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L30: ifne L206 L33: aload_3 L34: ldc '\\s' L36: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String; L39: astore 4 L41: ldc 'A' L43: aload 4 L45: iconst_0 L46: aaload L47: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L50: ifeq L71 L53: aload_2 L54: aload 4 L56: iconst_1 L57: aaload L58: aload 4 L60: iconst_2 L61: aaload L62: invokeinterface InterfaceMethod java/util/Map put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; 3 L67: pop L68: goto L198 .stack append Object [Ljava/lang/String; L71: ldc 'S' L73: aload 4 L75: iconst_0 L76: aaload L77: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L80: ifeq L155 L83: aload_2 L84: aload 4 L86: iconst_1 L87: aaload L88: invokeinterface InterfaceMethod java/util/Map containsKey (Ljava/lang/Object;)Z 2 L93: ifne L119 L96: getstatic Field java/lang/System out Ljava/io/PrintStream; L99: ldc 'Contact %s does not exist.\n' L101: iconst_1 L102: anewarray java/lang/Object L105: dup L106: iconst_0 L107: aload 4 L109: iconst_1 L110: aaload L111: aastore L112: invokevirtual Method java/io/PrintStream printf (Ljava/lang/String;[Ljava/lang/Object;)Ljava/io/PrintStream; L115: pop L116: goto L198 .stack same L119: getstatic Field java/lang/System out Ljava/io/PrintStream; L122: ldc '%s -> %s\n' L124: iconst_2 L125: anewarray java/lang/Object L128: dup L129: iconst_0 L130: aload 4 L132: iconst_1 L133: aaload L134: aastore L135: dup L136: iconst_1 L137: aload_2 L138: aload 4 L140: iconst_1 L141: aaload L142: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2 L147: aastore L148: invokevirtual Method java/io/PrintStream printf (Ljava/lang/String;[Ljava/lang/Object;)Ljava/io/PrintStream; L151: pop L152: goto L198 .stack same L155: ldc 'ListAll' L157: aload 4 L159: iconst_0 L160: aaload L161: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L164: ifeq L198 L167: aload_2 L168: invokeinterface InterfaceMethod java/util/Map entrySet ()Ljava/util/Set; 1 L173: invokeinterface InterfaceMethod java/util/Set stream ()Ljava/util/stream/Stream; 1 L178: invokedynamic [id25] L183: invokeinterface InterfaceMethod java/util/stream/Stream sorted (Ljava/util/Comparator;)Ljava/util/stream/Stream; 2 L188: invokedynamic [id27] L193: invokeinterface InterfaceMethod java/util/stream/Stream forEach (Ljava/util/function/Consumer;)V 2 .stack same L198: aload_1 L199: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String; L202: astore_3 L203: goto L24 .stack chop 1 L206: return L207: .linenumbertable L0 9 L11 10 L19 11 L24 12 L33 13 L41 14 L53 15 L71 16 L83 17 L96 18 L119 20 L155 22 L167 23 L193 24 L198 26 L203 27 L206 28 .end linenumbertable .end code .end method .method private static synthetic lambda$main$1 : (Ljava/util/Map$Entry;)V .code stack 3 locals 1 L0: getstatic Field java/lang/System out Ljava/io/PrintStream; L3: new java/lang/StringBuilder L6: dup L7: invokespecial Method java/lang/StringBuilder <init> ()V L10: aload_0 L11: invokeinterface InterfaceMethod java/util/Map$Entry getKey ()Ljava/lang/Object; 1 L16: checkcast java/lang/String L19: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L22: ldc ' -> ' L24: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L27: aload_0 L28: invokeinterface InterfaceMethod java/util/Map$Entry getValue ()Ljava/lang/Object; 1 L33: checkcast java/lang/String L36: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L39: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L42: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L45: return L46: .linenumbertable L0 24 .end linenumbertable .end code .end method .method private static synthetic lambda$main$0 : (Ljava/util/Map$Entry;Ljava/util/Map$Entry;)I .code stack 2 locals 2 L0: aload_0 L1: invokeinterface InterfaceMethod java/util/Map$Entry getKey ()Ljava/lang/Object; 1 L6: checkcast java/lang/String L9: aload_1 L10: invokeinterface InterfaceMethod java/util/Map$Entry getKey ()Ljava/lang/Object; 1 L15: checkcast java/lang/String L18: invokevirtual Method java/lang/String compareTo (Ljava/lang/String;)I L21: ireturn L22: .linenumbertable L0 23 .end linenumbertable .end code .end method .sourcefile 'PhonebookUpdate.java' .innerclasses java/util/Map$Entry java/util/Map Entry public static interface abstract java/lang/invoke/MethodHandles$Lookup java/lang/invoke/MethodHandles Lookup public static final .end innerclasses .const [id25] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory (Ljava/lang/invoke/MethodHandles$Lookup;Ljava/lang/String;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodHandle;Ljava/lang/invoke/MethodType;)Ljava/lang/invoke/CallSite; MethodType (Ljava/lang/Object;Ljava/lang/Object;)I MethodHandle invokeStatic Method PhonebookUpdate lambda$main$0 (Ljava/util/Map$Entry;Ljava/util/Map$Entry;)I MethodType (Ljava/util/Map$Entry;Ljava/util/Map$Entry;)I : compare ()Ljava/util/Comparator; .const [id27] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory (Ljava/lang/invoke/MethodHandles$Lookup;Ljava/lang/String;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodHandle;Ljava/lang/invoke/MethodType;)Ljava/lang/invoke/CallSite; MethodType (Ljava/lang/Object;)V MethodHandle invokeStatic Method PhonebookUpdate lambda$main$1 (Ljava/util/Map$Entry;)V MethodType (Ljava/util/Map$Entry;)V : accept ()Ljava/util/function/Consumer; .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 16:22:47 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; import java.util.NoSuchElementException; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.evosuite.runtime.util.SystemInUtil; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class PhonebookUpdate_ESTest extends PhonebookUpdate_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { SystemInUtil.addInputLine("V/W>}68n"); String[] stringArray0 = new String[3]; // Undeclared exception! try { PhonebookUpdate.main(stringArray0); fail("Expecting exception: NoSuchElementException"); } catch(NoSuchElementException e) { // // No line found // verifyException("java.util.Scanner", e); } } @Test(timeout = 4000) public void test1() throws Throwable { SystemInUtil.addInputLine("S"); String[] stringArray0 = null; // Undeclared exception! try { PhonebookUpdate.main((String[]) null); fail("Expecting exception: ArrayIndexOutOfBoundsException"); } catch(ArrayIndexOutOfBoundsException e) { // // 1 // verifyException("PhonebookUpdate", e); } } @Test(timeout = 4000) public void test2() throws Throwable { String[] stringArray0 = new String[5]; SystemInUtil.addInputLine("PhonebookUpdate"); SystemInUtil.addInputLine("ListAll"); // Undeclared exception! try { PhonebookUpdate.main(stringArray0); fail("Expecting exception: NoSuchElementException"); } catch(NoSuchElementException e) { // // No line found // verifyException("java.util.Scanner", e); } } @Test(timeout = 4000) public void test3() throws Throwable { SystemInUtil.addInputLine("A"); String[] stringArray0 = new String[1]; // Undeclared exception! try { PhonebookUpdate.main(stringArray0); fail("Expecting exception: ArrayIndexOutOfBoundsException"); } catch(ArrayIndexOutOfBoundsException e) { // // 1 // verifyException("PhonebookUpdate", e); } } @Test(timeout = 4000) public void test4() throws Throwable { SystemInUtil.addInputLine("END"); String[] stringArray0 = new String[5]; PhonebookUpdate.main(stringArray0); // Undeclared exception! try { PhonebookUpdate.main(stringArray0); fail("Expecting exception: NoSuchElementException"); } catch(NoSuchElementException e) { // // No line found // verifyException("java.util.Scanner", e); } } @Test(timeout = 4000) public void test5() throws Throwable { PhonebookUpdate phonebookUpdate0 = new PhonebookUpdate(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 16:22:47 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 PhonebookUpdate_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 = "PhonebookUpdate"; 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(); org.evosuite.runtime.util.SystemInUtil.getInstance().initForTestCase(); } @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/tmp4w4cgezv"); 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(PhonebookUpdate_ESTest_scaffolding.class.getClassLoader() , "PhonebookUpdate" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PhonebookUpdate_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "PhonebookUpdate" ); } }
25
PeakRidge
/* * Author: Chih-Chiang Tsou <[email protected]> * Nesvizhskii Lab, Department of Computational Medicine and Bioinformatics, * University of Michigan, Ann Arbor * * Copyright 2014 University of Michigan, Ann Arbor, MI * * 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. */ import java.io.Serializable; /** * Peak ridge class (described in Tautenhahn, R., Bottcher, C. & Neumann, S. Highly sensitive * feature detection for high resolution LC/MS. BMC Bioinformatics 9, 504 (2008). * * @author Chih-Chiang Tsou <[email protected]> */ public class PeakRidge implements Comparable<PeakRidge>, Serializable { public float RT; public int lowScale; public int ContinuousLevel = 0; public float intensity; @Override public int compareTo(PeakRidge o) { return Float.compare(o.RT, RT); } }
.version 52 0 .class public super PeakRidge .super java/lang/Object .implements java/lang/Comparable .implements java/io/Serializable .field public RT F .field public lowScale I .field public ContinuousLevel I .field public intensity F .method public <init> : ()V .code stack 2 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: iconst_0 L6: putfield Field PeakRidge ContinuousLevel I L9: return L10: .linenumbertable L0 32 L4 36 .end linenumbertable .end code .end method .method public compareTo : (LPeakRidge;)I .code stack 2 locals 2 L0: aload_1 L1: getfield Field PeakRidge RT F L4: aload_0 L5: getfield Field PeakRidge RT F L8: invokestatic Method java/lang/Float compare (FF)I L11: ireturn L12: .linenumbertable L0 41 .end linenumbertable .end code .end method .method public bridge synthetic compareTo : (Ljava/lang/Object;)I .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: checkcast PeakRidge L5: invokevirtual Method PeakRidge compareTo (LPeakRidge;)I L8: ireturn L9: .linenumbertable L0 32 .end linenumbertable .end code .end method .signature Ljava/lang/Object;Ljava/lang/Comparable<LPeakRidge;>;Ljava/io/Serializable; .sourcefile 'PeakRidge.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 01:57:19 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 PeakRidge_ESTest extends PeakRidge_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { PeakRidge peakRidge0 = new PeakRidge(); PeakRidge peakRidge1 = new PeakRidge(); peakRidge1.RT = 42694.51F; int int0 = peakRidge0.compareTo(peakRidge1); assertEquals(1, int0); assertEquals(0, peakRidge1.ContinuousLevel); } @Test(timeout = 4000) public void test1() throws Throwable { PeakRidge peakRidge0 = new PeakRidge(); PeakRidge peakRidge1 = new PeakRidge(); peakRidge1.RT = 42694.51F; int int0 = peakRidge1.compareTo(peakRidge0); assertEquals((-1), int0); assertEquals(0, peakRidge1.ContinuousLevel); } @Test(timeout = 4000) public void test2() throws Throwable { PeakRidge peakRidge0 = new PeakRidge(); int int0 = peakRidge0.compareTo(peakRidge0); assertEquals(0, peakRidge0.ContinuousLevel); assertEquals(0, int0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 01:57:19 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 PeakRidge_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 = "PeakRidge"; 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/tmp10sbvwx_"); 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(PeakRidge_ESTest_scaffolding.class.getClassLoader() , "PeakRidge" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PeakRidge_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "PeakRidge" ); } }
26
Fontes
import java.awt.Font; /** * @author Vinicius Silva */ public class Fontes { public static Font getBelwe(int size) { try { Font font = Font.createFont( Font.TRUETYPE_FONT, Fontes.class.getResourceAsStream("/com/limagiran/hearthstone/util/belwe.ttf")); font = font.deriveFont(Font.BOLD, size); return font; } catch (Exception ex) { } return new Font("Tahoma", Font.BOLD, size); } }
.version 52 0 .class public super Fontes .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 9 .end linenumbertable .end code .end method .method public static getBelwe : (I)Ljava/awt/Font; .code stack 5 locals 2 .catch java/lang/Exception from L0 to L21 using L22 L0: iconst_0 L1: ldc Class Fontes L3: ldc '/com/limagiran/hearthstone/util/belwe.ttf' L5: invokevirtual Method java/lang/Class getResourceAsStream (Ljava/lang/String;)Ljava/io/InputStream; L8: invokestatic Method java/awt/Font createFont (ILjava/io/InputStream;)Ljava/awt/Font; L11: astore_1 L12: aload_1 L13: iconst_1 L14: iload_0 L15: i2f L16: invokevirtual Method java/awt/Font deriveFont (IF)Ljava/awt/Font; L19: astore_1 L20: aload_1 L21: areturn .stack stack_1 Object java/lang/Exception L22: astore_1 L23: new java/awt/Font L26: dup L27: ldc 'Tahoma' L29: iconst_1 L30: iload_0 L31: invokespecial Method java/awt/Font <init> (Ljava/lang/String;II)V L34: areturn L35: .linenumbertable L0 13 L12 14 L20 15 L22 16 L23 18 .end linenumbertable .end code .end method .sourcefile 'Fontes.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 09:10:16 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import java.awt.Font; import java.util.concurrent.ExecutorService; import java.util.concurrent.Executors; import java.util.concurrent.Future; import java.util.concurrent.TimeUnit; 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 Fontes_ESTest extends Fontes_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Future<?> future = executor.submit(new Runnable(){ @Override public void run() { Font font0 = Fontes.getBelwe(0); assertFalse(font0.isPlain()); assertEquals("Tahoma", font0.getName()); } }); future.get(4000, TimeUnit.MILLISECONDS); } @Test(timeout = 4000) public void test1() throws Throwable { Future<?> future = executor.submit(new Runnable(){ @Override public void run() { Font font0 = Fontes.getBelwe(43068); assertFalse(font0.isPlain()); assertEquals("Tahoma", font0.getName()); assertEquals(43068, font0.getSize()); } }); future.get(4000, TimeUnit.MILLISECONDS); } @Test(timeout = 4000) public void test2() throws Throwable { Future<?> future = executor.submit(new Runnable(){ @Override public void run() { Font font0 = Fontes.getBelwe((-65144)); assertFalse(font0.isPlain()); assertEquals("Tahoma", font0.getName()); assertEquals((-65144), font0.getSize()); } }); future.get(4000, TimeUnit.MILLISECONDS); } @Test(timeout = 4000) public void test3() throws Throwable { Fontes fontes0 = new Fontes(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 09:10:16 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 java.util.concurrent.ExecutorService; import java.util.concurrent.Executors; import java.util.concurrent.Future; import java.util.concurrent.TimeUnit; @EvoSuiteClassExclude public class Fontes_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); protected static ExecutorService executor; 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 = "Fontes"; 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(); executor = Executors.newCachedThreadPool(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); executor.shutdownNow(); 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/tmp9fgeidow"); 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(Fontes_ESTest_scaffolding.class.getClassLoader() , "Fontes" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Fontes_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Fontes" ); } }
27
Test
import java.util.Set; public class Test { String str = new String("good"); char[] ch = {'a', 'b', 'c'}; public static void main(String[] args) { /*int x = test(); System.out.println("main === "+x);*/ /*testRenMinBi(12345); Object []array = new Long[1]; array[0]="i am maosx."; Set<Integer> integers = new HashSet<>(); Set<Double> doubles = new HashSet<>(); Test.<Number>union(integers, doubles);*/ String s1 = "hello"; String s2 = "he" + new String("llo"); System.out.println(s1 == s2); Test test = new Test(); test.change(test.str, test.ch); System.out.println(test.str + " and "); System.out.println(test.ch); } public void change(String str, char ch[]) { str = "test ok"; ch[0] = 'g'; } public static <E> Set<E> union(Set<? extends E> src, Set<? extends E> dest) { return null; } public static int test() { int x = 1; try { return x; } finally { ++x; System.out.println("==== " + x); } } public static void testRenMinBi(int money) { char[] data = new char[] {'零', '壹', '贰', '叁', '肆', '伍', '陆', '柒', '捌', '玖'}; char[] units = new char[] {'元', '拾', '佰', '仟', '万', '拾', '佰', '仟', '亿'}; StringBuffer sbf = new StringBuffer(); int unit = 0; while (money != 0) { sbf.insert(0, units[unit++]); int number = money % 10; sbf.insert(0, data[number]); money /= 10; } System.out.println(sbf.toString()); } }
.version 52 0 .class public super Test .super java/lang/Object .field str Ljava/lang/String; .field ch [C .method public <init> : ()V .code stack 5 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: new java/lang/String L8: dup L9: ldc 'good' L11: invokespecial Method java/lang/String <init> (Ljava/lang/String;)V L14: putfield Field Test str Ljava/lang/String; L17: aload_0 L18: iconst_3 L19: newarray char L21: dup L22: iconst_0 L23: bipush 97 L25: castore L26: dup L27: iconst_1 L28: bipush 98 L30: castore L31: dup L32: iconst_2 L33: bipush 99 L35: castore L36: putfield Field Test ch [C L39: return L40: .linenumbertable L0 9 L4 10 L17 11 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 4 locals 4 L0: ldc 'hello' L2: astore_1 L3: new java/lang/StringBuilder L6: dup L7: invokespecial Method java/lang/StringBuilder <init> ()V L10: ldc 'he' L12: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L15: new java/lang/String L18: dup L19: ldc 'llo' L21: invokespecial Method java/lang/String <init> (Ljava/lang/String;)V L24: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L27: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L30: astore_2 L31: getstatic Field java/lang/System out Ljava/io/PrintStream; L34: aload_1 L35: aload_2 L36: if_acmpne L43 L39: iconst_1 L40: goto L44 .stack full locals Object [Ljava/lang/String; Object java/lang/String Object java/lang/String stack Object java/io/PrintStream .end stack L43: iconst_0 .stack full locals Object [Ljava/lang/String; Object java/lang/String Object java/lang/String stack Object java/io/PrintStream Integer .end stack L44: invokevirtual Method java/io/PrintStream println (Z)V L47: new Test L50: dup L51: invokespecial Method Test <init> ()V L54: astore_3 L55: aload_3 L56: aload_3 L57: getfield Field Test str Ljava/lang/String; L60: aload_3 L61: getfield Field Test ch [C L64: invokevirtual Method Test change (Ljava/lang/String;[C)V L67: getstatic Field java/lang/System out Ljava/io/PrintStream; L70: new java/lang/StringBuilder L73: dup L74: invokespecial Method java/lang/StringBuilder <init> ()V L77: aload_3 L78: getfield Field Test str Ljava/lang/String; L81: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L84: ldc ' and ' 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/io/PrintStream println (Ljava/lang/String;)V L95: getstatic Field java/lang/System out Ljava/io/PrintStream; L98: aload_3 L99: getfield Field Test ch [C L102: invokevirtual Method java/io/PrintStream println ([C)V L105: return L106: .linenumbertable L0 22 L3 23 L31 24 L47 29 L55 30 L67 31 L95 32 L105 33 .end linenumbertable .end code .end method .method public change : (Ljava/lang/String;[C)V .code stack 3 locals 3 L0: ldc 'test ok' L2: astore_1 L3: aload_2 L4: iconst_0 L5: bipush 103 L7: castore L8: return L9: .linenumbertable L0 36 L3 37 L8 38 .end linenumbertable .end code .end method .method public static union : (Ljava/util/Set;Ljava/util/Set;)Ljava/util/Set; .code stack 1 locals 2 L0: aconst_null L1: areturn L2: .linenumbertable L0 42 .end linenumbertable .end code .signature '<E:Ljava/lang/Object;>(Ljava/util/Set<+TE;>;Ljava/util/Set<+TE;>;)Ljava/util/Set<TE;>;' .end method .method public static test : ()I .code stack 3 locals 3 L0: iconst_1 L1: istore_0 .catch [0] from L2 to L4 using L34 L2: iload_0 L3: istore_1 L4: iinc 0 1 L7: getstatic Field java/lang/System out Ljava/io/PrintStream; L10: new java/lang/StringBuilder L13: dup L14: invokespecial Method java/lang/StringBuilder <init> ()V L17: ldc '==== ' L19: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L22: iload_0 L23: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L26: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L29: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L32: iload_1 L33: ireturn .stack full locals Integer stack Object java/lang/Throwable .end stack L34: astore_2 L35: iinc 0 1 L38: getstatic Field java/lang/System out Ljava/io/PrintStream; L41: new java/lang/StringBuilder L44: dup L45: invokespecial Method java/lang/StringBuilder <init> ()V L48: ldc '==== ' L50: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L53: iload_0 L54: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L57: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L60: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L63: aload_2 L64: athrow L65: .linenumbertable L0 46 L2 48 L4 50 L7 51 L32 48 L34 50 L38 51 L63 52 .end linenumbertable .end code .end method .method public static testRenMinBi : (I)V .code stack 4 locals 6 L0: bipush 10 L2: newarray char L4: dup L5: iconst_0 L6: ldc 38646 L8: castore L9: dup L10: iconst_1 L11: sipush 22777 L14: castore L15: dup L16: iconst_2 L17: ldc 36144 L19: castore L20: dup L21: iconst_3 L22: sipush 21441 L25: castore L26: dup L27: iconst_4 L28: ldc 32902 L30: castore L31: dup L32: iconst_5 L33: sipush 20237 L36: castore L37: dup L38: bipush 6 L40: ldc 38470 L42: castore L43: dup L44: bipush 7 L46: sipush 26578 L49: castore L50: dup L51: bipush 8 L53: sipush 25420 L56: castore L57: dup L58: bipush 9 L60: sipush 29590 L63: castore L64: astore_1 L65: bipush 9 L67: newarray char L69: dup L70: iconst_0 L71: sipush 20803 L74: castore L75: dup L76: iconst_1 L77: sipush 25342 L80: castore L81: dup L82: iconst_2 L83: sipush 20336 L86: castore L87: dup L88: iconst_3 L89: sipush 20191 L92: castore L93: dup L94: iconst_4 L95: sipush 19975 L98: castore L99: dup L100: iconst_5 L101: sipush 25342 L104: castore L105: dup L106: bipush 6 L108: sipush 20336 L111: castore L112: dup L113: bipush 7 L115: sipush 20191 L118: castore L119: dup L120: bipush 8 L122: sipush 20159 L125: castore L126: astore_2 L127: new java/lang/StringBuffer L130: dup L131: invokespecial Method java/lang/StringBuffer <init> ()V L134: astore_3 L135: iconst_0 L136: istore 4 .stack full locals Integer Object [C Object [C Object java/lang/StringBuffer Integer stack .end stack L138: iload_0 L139: ifeq L179 L142: aload_3 L143: iconst_0 L144: aload_2 L145: iload 4 L147: iinc 4 1 L150: caload L151: invokevirtual Method java/lang/StringBuffer insert (IC)Ljava/lang/StringBuffer; L154: pop L155: iload_0 L156: bipush 10 L158: irem L159: istore 5 L161: aload_3 L162: iconst_0 L163: aload_1 L164: iload 5 L166: caload L167: invokevirtual Method java/lang/StringBuffer insert (IC)Ljava/lang/StringBuffer; L170: pop L171: iload_0 L172: bipush 10 L174: idiv L175: istore_0 L176: goto L138 .stack same L179: getstatic Field java/lang/System out Ljava/io/PrintStream; L182: aload_3 L183: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String; L186: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L189: return L190: .linenumbertable L0 56 L65 60 L127 64 L135 65 L138 66 L142 67 L155 68 L161 69 L171 70 L176 71 L179 73 L189 74 .end linenumbertable .end code .end method .sourcefile 'Test.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 13:48:02 GMT 2022 */ import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; import java.util.LinkedHashSet; import java.util.Set; 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 Test_ESTest extends Test_ESTest_scaffolding { @org.junit.Test(timeout = 4000) public void test0() throws Throwable { // Undeclared exception! try { Test.testRenMinBi((-3628)); fail("Expecting exception: ArrayIndexOutOfBoundsException"); } catch(ArrayIndexOutOfBoundsException e) { // // -8 // verifyException("Test", e); } } @org.junit.Test(timeout = 4000) public void test1() throws Throwable { Test.testRenMinBi(1); } @org.junit.Test(timeout = 4000) public void test2() throws Throwable { String[] stringArray0 = new String[4]; Test.main(stringArray0); assertEquals(4, stringArray0.length); } @org.junit.Test(timeout = 4000) public void test3() throws Throwable { int int0 = Test.test(); assertEquals(1, int0); } @org.junit.Test(timeout = 4000) public void test4() throws Throwable { LinkedHashSet<Object> linkedHashSet0 = new LinkedHashSet<Object>(); Set<Object> set0 = Test.union((Set<?>) linkedHashSet0, (Set<?>) linkedHashSet0); assertNull(set0); } @org.junit.Test(timeout = 4000) public void test5() throws Throwable { Test test0 = new Test(); char[] charArray0 = new char[2]; test0.change("", charArray0); LinkedHashSet<Object> linkedHashSet0 = new LinkedHashSet<Object>(); Test.union((Set<?>) linkedHashSet0, (Set<?>) linkedHashSet0); String[] stringArray0 = new String[4]; Test.testRenMinBi(1); Test.union((Set<? extends Integer>) null, (Set<? extends Integer>) null); Test.main(stringArray0); assertEquals(4, stringArray0.length); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 13:48:02 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 Test_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 = "Test"; 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/tmpsrluw5dj"); 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(Test_ESTest_scaffolding.class.getClassLoader() , "Test" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Test_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Test" ); } }
28
VKException
import java.io.IOException; /** * Thrown when server vk could not handle the request see website to get description of error codes: * http://vk.com/dev/errors * * <p>Check {@link ErrorCodes} to get descriptions of error codes. */ public class VKException extends IOException { public String url; public String message; public int code; /** Captcha ID, see http://vk.com/dev/captcha_error */ public String captchaSid; /** * Link to image, you want to show the user, that he typed text from this image * * <p>see http://vk.com/dev/captcha_error */ public String captchaImg; /** * In some cases, VK requires passing a validation procedure of the user, resulting in since * version 5.0 API (for older versions will be prompted captcha_error) any request to API the * following error is returned * * <p>see http://vk.com/dev/need_validation */ public String redirectUri; /** * Constructs a new {@code VKException} * * @param url the url of executed request * @param message the detail error message for this exception * @param code the error code */ public VKException(String url, String message, int code) { super(message); this.url = url; this.message = message; this.code = code; } @Override public String toString() { return "code: " + code + ", message: " + message; } }
.version 52 0 .class public super VKException .super java/io/IOException .field public url Ljava/lang/String; .field public message Ljava/lang/String; .field public code I .field public captchaSid Ljava/lang/String; .field public captchaImg Ljava/lang/String; .field public redirectUri Ljava/lang/String; .method public <init> : (Ljava/lang/String;Ljava/lang/String;I)V .code stack 2 locals 4 L0: aload_0 L1: aload_2 L2: invokespecial Method java/io/IOException <init> (Ljava/lang/String;)V L5: aload_0 L6: aload_1 L7: putfield Field VKException url Ljava/lang/String; L10: aload_0 L11: aload_2 L12: putfield Field VKException message Ljava/lang/String; L15: aload_0 L16: iload_3 L17: putfield Field VKException code I L20: return L21: .linenumbertable L0 48 L5 49 L10 50 L15 51 L20 52 .end linenumbertable .end code .end method .method public toString : ()Ljava/lang/String; .code stack 2 locals 1 L0: new java/lang/StringBuilder L3: dup L4: invokespecial Method java/lang/StringBuilder <init> ()V L7: ldc 'code: ' L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L12: aload_0 L13: getfield Field VKException code I L16: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L19: ldc ', message: ' L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L24: aload_0 L25: getfield Field VKException message Ljava/lang/String; L28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L31: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L34: areturn L35: .linenumbertable L0 56 .end linenumbertable .end code .end method .sourcefile 'VKException.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 11:38: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 VKException_ESTest extends VKException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { VKException vKException0 = new VKException("K`", "K`", 0); String string0 = vKException0.toString(); assertEquals("code: 0, message: K`", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 11:38: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 VKException_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 = "VKException"; 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/tmp9e7btwqc"); 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(VKException_ESTest_scaffolding.class.getClassLoader() , "VKException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(VKException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "VKException" ); } }
29
JobThread
import java.util.UUID; /** * @author liaoheng * @version 2018-08-16 14:44 */ public abstract class JobThread extends Thread { public JobThread(String name) { super(name + " : " + UUID.randomUUID()); setDaemon(true); } protected volatile boolean isRunning; public synchronized boolean isRunning() { return isRunning; } public synchronized void start() { if (isRunning()) { return; } super.start(); isRunning = true; } public synchronized void shutdown() { isRunning = false; interrupt(); } @Override public void run() { try { process(); } catch (InterruptedException ignored) { } } protected abstract void process() throws InterruptedException; }
.version 52 0 .class public super abstract JobThread .super java/lang/Thread .field protected volatile isRunning Z .method public <init> : (Ljava/lang/String;)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: aload_1 L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L12: ldc ' : ' L14: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L17: invokestatic Method java/util/UUID randomUUID ()Ljava/util/UUID; L20: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder; L23: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L26: invokespecial Method java/lang/Thread <init> (Ljava/lang/String;)V L29: aload_0 L30: iconst_1 L31: invokevirtual Method JobThread setDaemon (Z)V L34: return L35: .linenumbertable L0 12 L29 13 L34 14 .end linenumbertable .end code .end method .method public synchronized isRunning : ()Z .code stack 1 locals 1 L0: aload_0 L1: getfield Field JobThread isRunning Z L4: ireturn L5: .linenumbertable L0 19 .end linenumbertable .end code .end method .method public synchronized start : ()V .code stack 2 locals 1 L0: aload_0 L1: invokevirtual Method JobThread isRunning ()Z L4: ifeq L8 L7: return .stack same L8: aload_0 L9: invokespecial Method java/lang/Thread start ()V L12: aload_0 L13: iconst_1 L14: putfield Field JobThread isRunning Z L17: return L18: .linenumbertable L0 23 L7 24 L8 26 L12 27 L17 28 .end linenumbertable .end code .end method .method public synchronized shutdown : ()V .code stack 2 locals 1 L0: aload_0 L1: iconst_0 L2: putfield Field JobThread isRunning Z L5: aload_0 L6: invokevirtual Method JobThread interrupt ()V L9: return L10: .linenumbertable L0 31 L5 32 L9 33 .end linenumbertable .end code .end method .method public run : ()V .code stack 1 locals 2 .catch java/lang/InterruptedException from L0 to L4 using L7 L0: aload_0 L1: invokevirtual Method JobThread process ()V L4: goto L8 .stack stack_1 Object java/lang/InterruptedException L7: astore_1 .stack same L8: return L9: .linenumbertable L0 38 L4 40 L7 39 L8 41 .end linenumbertable .end code .end method .method protected abstract process : ()V .exceptions java/lang/InterruptedException .end method .sourcefile 'JobThread.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 04:29:06 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 JobThread_ESTest extends JobThread_ESTest_scaffolding { @Test public void notGeneratedAnyTest() { // EvoSuite did not generate any tests } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 04:29:06 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class JobThread_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); 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 = "JobThread"; 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(); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); 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() { /*No java.lang.System property to set*/ } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(JobThread_ESTest_scaffolding.class.getClassLoader() , "JobThread" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(JobThread_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "JobThread" ); } }
30
AutoConverterNotRegisteredException
public class AutoConverterNotRegisteredException extends RuntimeException { public AutoConverterNotRegisteredException(Class<?> fromClass, Class<?> toClass) { super( "No AutoConverter registered for converting from '" + fromClass.getName() + "' to '" + toClass.getName() + "'"); } }
.version 52 0 .class public super AutoConverterNotRegisteredException .super java/lang/RuntimeException .method public <init> : (Ljava/lang/Class;Ljava/lang/Class;)V .code stack 3 locals 3 L0: aload_0 L1: new java/lang/StringBuilder L4: dup L5: invokespecial Method java/lang/StringBuilder <init> ()V L8: ldc "No AutoConverter registered for converting from '" L10: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L13: aload_1 L14: invokevirtual Method java/lang/Class getName ()Ljava/lang/String; L17: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L20: ldc "' to '" L22: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L25: aload_2 L26: invokevirtual Method java/lang/Class getName ()Ljava/lang/String; L29: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L32: ldc "'" L34: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L37: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L40: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V L43: return L44: .linenumbertable L0 5 L43 6 .end linenumbertable .end code .signature (Ljava/lang/Class<*>;Ljava/lang/Class<*>;)V .end method .sourcefile 'AutoConverterNotRegisteredException.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 15:43:42 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 AutoConverterNotRegisteredException_ESTest extends AutoConverterNotRegisteredException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Class<Object> class0 = Object.class; AutoConverterNotRegisteredException autoConverterNotRegisteredException0 = new AutoConverterNotRegisteredException(class0, class0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 15:43: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 AutoConverterNotRegisteredException_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 = "AutoConverterNotRegisteredException"; 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/tmp2tuywrp_"); 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(AutoConverterNotRegisteredException_ESTest_scaffolding.class.getClassLoader() , "AutoConverterNotRegisteredException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AutoConverterNotRegisteredException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "AutoConverterNotRegisteredException" ); } }
31
Core
/** * Eclipse Public License - v 1.0 * * <p>THE ACCOMPANYING PROGRAM IS PROVIDED UNDER THE TERMS OF THIS ECLIPSE PUBLIC LICENSE * ("AGREEMENT"). ANY USE, REPRODUCTION OR DISTRIBUTION OF THE PROGRAM CONSTITUTES RECIPIENT'S * ACCEPTANCE OF THIS AGREEMENT. * * <p>1. DEFINITIONS * * <p>"Contribution" means: * * <p>a) in the case of the initial Contributor, the initial code and documentation distributed * under this Agreement, and b) in the case of each subsequent Contributor: i) changes to the * Program, and ii) additions to the Program; where such changes and/or additions to the Program * originate from and are distributed by that particular Contributor. A Contribution 'originates' * from a Contributor if it was added to the Program by such Contributor itself or anyone acting on * such Contributor's behalf. Contributions do not include additions to the Program which: (i) are * separate modules of software distributed in conjunction with the Program under their own license * agreement, and (ii) are not derivative works of the Program. "Contributor" means any person or * entity that distributes the Program. * * <p>"Licensed Patents" mean patent claims licensable by a Contributor which are necessarily * infringed by the use or sale of its Contribution alone or when combined with the Program. * * <p>"Program" means the Contributions distributed in accordance with this Agreement. * * <p>"Recipient" means anyone who receives the Program under this Agreement, including all * Contributors. * * <p>2. GRANT OF RIGHTS * * <p>a) Subject to the terms of this Agreement, each Contributor hereby grants Recipient a * non-exclusive, worldwide, royalty-free copyright license to reproduce, prepare derivative works * of, publicly display, publicly perform, distribute and sublicense the Contribution of such * Contributor, if any, and such derivative works, in source code and object code form. b) Subject * to the terms of this Agreement, each Contributor hereby grants Recipient a non-exclusive, * worldwide, royalty-free patent license under Licensed Patents to make, use, sell, offer to sell, * import and otherwise transfer the Contribution of such Contributor, if any, in source code and * object code form. This patent license shall apply to the combination of the Contribution and the * Program if, at the time the Contribution is added by the Contributor, such addition of the * Contribution causes such combination to be covered by the Licensed Patents. The patent license * shall not apply to any other combinations which include the Contribution. No hardware per se is * licensed hereunder. c) Recipient understands that although each Contributor grants the licenses * to its Contributions set forth herein, no assurances are provided by any Contributor that the * Program does not infringe the patent or other intellectual property rights of any other entity. * Each Contributor disclaims any liability to Recipient for claims brought by any other entity * based on infringement of intellectual property rights or otherwise. As a condition to exercising * the rights and licenses granted hereunder, each Recipient hereby assumes sole responsibility to * secure any other intellectual property rights needed, if any. For example, if a third party * patent license is required to allow Recipient to distribute the Program, it is Recipient's * responsibility to acquire that license before distributing the Program. d) Each Contributor * represents that to its knowledge it has sufficient copyright rights in its Contribution, if any, * to grant the copyright license set forth in this Agreement. 3. REQUIREMENTS * * <p>A Contributor may choose to distribute the Program in object code form under its own license * agreement, provided that: * * <p>a) it complies with the terms and conditions of this Agreement; and b) its license agreement: * i) effectively disclaims on behalf of all Contributors all warranties and conditions, express and * implied, including warranties or conditions of title and non-infringement, and implied warranties * or conditions of merchantability and fitness for a particular purpose; ii) effectively excludes * on behalf of all Contributors all liability for damages, including direct, indirect, special, * incidental and consequential damages, such as lost profits; iii) states that any provisions which * differ from this Agreement are offered by that Contributor alone and not by any other party; and * iv) states that source code for the Program is available from such Contributor, and informs * licensees how to obtain it in a reasonable manner on or through a medium customarily used for * software exchange. When the Program is made available in source code form: * * <p>a) it must be made available under this Agreement; and b) a copy of this Agreement must be * included with each copy of the Program. Contributors may not remove or alter any copyright * notices contained within the Program. * * <p>Each Contributor must identify itself as the originator of its Contribution, if any, in a * manner that reasonably allows subsequent Recipients to identify the originator of the * Contribution. * * <p>4. COMMERCIAL DISTRIBUTION * * <p>Commercial distributors of software may accept certain responsibilities with respect to end * users, business partners and the like. While this license is intended to facilitate the * commercial use of the Program, the Contributor who includes the Program in a commercial product * offering should do so in a manner which does not create potential liability for other * Contributors. Therefore, if a Contributor includes the Program in a commercial product offering, * such Contributor ("Commercial Contributor") hereby agrees to defend and indemnify every other * Contributor ("Indemnified Contributor") against any losses, damages and costs (collectively * "Losses") arising from claims, lawsuits and other legal actions brought by a third party against * the Indemnified Contributor to the extent caused by the acts or omissions of such Commercial * Contributor in connection with its distribution of the Program in a commercial product offering. * The obligations in this section do not apply to any claims or Losses relating to any actual or * alleged intellectual property infringement. In order to qualify, an Indemnified Contributor must: * a) promptly notify the Commercial Contributor in writing of such claim, and b) allow the * Commercial Contributor to control, and cooperate with the Commercial Contributor in, the defense * and any related settlement negotiations. The Indemnified Contributor may participate in any such * claim at its own expense. * * <p>For example, a Contributor might include the Program in a commercial product offering, Product * X. That Contributor is then a Commercial Contributor. If that Commercial Contributor then makes * performance claims, or offers warranties related to Product X, those performance claims and * warranties are such Commercial Contributor's responsibility alone. Under this section, the * Commercial Contributor would have to defend claims against the other Contributors related to * those performance claims and warranties, and if a court requires any other Contributor to pay any * damages as a result, the Commercial Contributor must pay those damages. * * <p>5. NO WARRANTY * * <p>EXCEPT AS EXPRESSLY SET FORTH IN THIS AGREEMENT, THE PROGRAM IS PROVIDED ON AN "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, EITHER EXPRESS OR IMPLIED INCLUDING, WITHOUT * LIMITATION, ANY WARRANTIES OR CONDITIONS OF TITLE, NON-INFRINGEMENT, MERCHANTABILITY OR FITNESS * FOR A PARTICULAR PURPOSE. Each Recipient is solely responsible for determining the * appropriateness of using and distributing the Program and assumes all risks associated with its * exercise of rights under this Agreement , including but not limited to the risks and costs of * program errors, compliance with applicable laws, damage to or loss of data, programs or * equipment, and unavailability or interruption of operations. * * <p>6. DISCLAIMER OF LIABILITY * * <p>EXCEPT AS EXPRESSLY SET FORTH IN THIS AGREEMENT, NEITHER RECIPIENT NOR ANY CONTRIBUTORS SHALL * HAVE ANY LIABILITY FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL * DAMAGES (INCLUDING WITHOUT LIMITATION LOST PROFITS), HOWEVER CAUSED AND ON ANY THEORY OF * LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) * ARISING IN ANY WAY OUT OF THE USE OR DISTRIBUTION OF THE PROGRAM OR THE EXERCISE OF ANY RIGHTS * GRANTED HEREUNDER, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGES. * * <p>7. GENERAL * * <p>If any provision of this Agreement is invalid or unenforceable under applicable law, it shall * not affect the validity or enforceability of the remainder of the terms of this Agreement, and * without further action by the parties hereto, such provision shall be reformed to the minimum * extent necessary to make such provision valid and enforceable. * * <p>If Recipient institutes patent litigation against any entity (including a cross-claim or * counterclaim in a lawsuit) alleging that the Program itself (excluding combinations of the * Program with other software or hardware) infringes such Recipient's patent(s), then such * Recipient's rights granted under Section 2(b) shall terminate as of the date such litigation is * filed. * * <p>All Recipient's rights under this Agreement shall terminate if it fails to comply with any of * the material terms or conditions of this Agreement and does not cure such failure in a reasonable * period of time after becoming aware of such noncompliance. If all Recipient's rights under this * Agreement terminate, Recipient agrees to cease use and distribution of the Program as soon as * reasonably practicable. However, Recipient's obligations under this Agreement and any licenses * granted by Recipient relating to the Program shall continue and survive. * * <p>Everyone is permitted to copy and distribute copies of this Agreement, but in order to avoid * inconsistency the Agreement is copyrighted and may only be modified in the following manner. The * Agreement Steward reserves the right to publish new versions (including revisions) of this * Agreement from time to time. No one other than the Agreement Steward has the right to modify this * Agreement. The Eclipse Foundation is the initial Agreement Steward. The Eclipse Foundation may * assign the responsibility to serve as the Agreement Steward to a suitable separate entity. Each * new version of the Agreement will be given a distinguishing version number. The Program * (including Contributions) may always be distributed subject to the version of the Agreement under * which it was received. In addition, after a new version of the Agreement is published, * Contributor may elect to distribute the Program (including its Contributions) under the new * version. Except as expressly stated in Sections 2(a) and 2(b) above, Recipient receives no rights * or licenses to the intellectual property of any Contributor under this Agreement, whether * expressly, by implication, estoppel or otherwise. All rights in the Program not expressly granted * under this Agreement are reserved. * * <p>This Agreement is governed by the laws of the State of New York and the intellectual property * laws of the United States of America. No party to this Agreement will bring a legal action under * this Agreement more than one year after the cause of action arose. Each party waives its rights * to a jury trial in any resulting litigation. */ /** * Consists of core parts for a server. * * @author Josh */ public class Core {}
.version 52 0 .class public super Core .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 141 .end linenumbertable .end code .end method .sourcefile 'Core.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 16:57:22 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 Core_ESTest extends Core_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Core core0 = new Core(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 16:57:22 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 Core_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 = "Core"; 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/tmpcaj7lesn"); 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(Core_ESTest_scaffolding.class.getClassLoader() , "Core" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Core_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Core" ); } }
32
TestData
public class TestData { public static final String DATA_GRAPH_VARIABLE = "db"; public static final String CHAIN_PATTERN_0 = "(:A)-[:a]->(:B)"; public static final String CHAIN_PATTERN_1 = "(:A)-[:a]->(:A)"; public static final String CHAIN_PATTERN_2 = "(:A)"; public static final String CHAIN_PATTERN_3 = "(:B)-[:d]->(:B)"; public static final String CHAIN_PATTERN_4 = "(:A)-[:a]->(:A)-[:a]->(:A)"; public static final String CHAIN_PATTERN_5 = "(:B)-[:b]->(:C)<-[:a]-(:A)"; public static final String CHAIN_PATTERN_6 = "(c)<--(a)-->(b)"; public static final String CHAIN_PATTERN_7 = "(a)-->(b),(a)-->(c)"; public static final String LOOP_PATTERN_0 = "(b:B)-[:d]->(b)"; public static final String CYCLE_PATTERN_0 = "(a:A)-[:a]->(b:B)-[:a]->(a)"; public static final String CYCLE_PATTERN_1 = "(b:B)-[:d]->(:B)-[:d]->(b)"; public static final String CYCLE_PATTERN_2 = "(a:A)-[:a]->(b:B)-[:a]->(a),(b)-[:b]->(:C)"; public static String CYCLE_PATTERN_3 = "(a:A)-[:a]->(b:B)-[:a]->(a),(b)-[:b]->(:C)<-[:a]-(:B)"; public static final String CYCLE_PATTERN_4 = "(a0:A)-[:a]->(b0:B)-[:a]->(a1:A)-[:a]->(b1:B)-[:a]->(a0)"; public static final String CYCLE_PATTERN_5 = "(v0:B)-[:a]->(v1:C)<-[:b]-(v0)"; public static final String CYCLE_PATTERN_6 = "(v0:A)-[:a]->(v1:A)<-[:a]-(v0)"; public static final String UNLABELED_PATTERN_0 = "()"; public static final String UNLABELED_PATTERN_1 = "()-->()"; public static final String UNLABELED_PATTERN_2 = "()-[:b]->()"; public static final String UNLABELED_PATTERN_3 = "(:A)-->(:B)"; public static final String VAR_LENGTH_PATH_PATTERN_0 = "(:B)-[:a*2..2]->(:B)"; public static final String VAR_LENGTH_PATH_PATTERN_1 = "(:B)<-[:a*2..2]-(:B)"; public static final String VAR_LENGTH_PATH_PATTERN_2 = "(:B)-[:d*2..3]->()"; public static final String VAR_LENGTH_PATH_PATTERN_3 = "(:A)-[:a*]->()"; public static final String VAR_LENGTH_PATH_PATTERN_4 = "(s:A)-[:a*1..2]->(s)"; public static final String GRAPH_1 = DATA_GRAPH_VARIABLE + "[" + "(v0:B {id : 0})" + "(v1:A {id : 1})" + "(v2:A {id : 2})" + "(v3:C {id : 3})" + "(v4:B {id : 4})" + "(v5:A {id : 5})" + "(v6:B {id : 6})" + "(v7:C {id : 7})" + "(v8:B {id : 8})" + "(v9:C {id : 9})" + "(v10:D {id : 10})" + "(v0)-[e0:a {id : 0}]->(v1)" + "(v0)-[e1:a {id : 1}]->(v3)" + "(v1)-[e2:a {id : 2}]->(v6)" + "(v2)-[e3:a {id : 3}]->(v6)" + "(v4)-[e4:a {id : 4}]->(v1)" + "(v4)-[e5:b {id : 5}]->(v3)" + "(v5)-[e6:a {id : 6}]->(v4)" + "(v6)-[e7:a {id : 7}]->(v2)" + "(v6)-[e8:a {id : 8}]->(v5)" + "(v6)-[e9:b {id : 9}]->(v7)" + "(v8)-[e10:a {id : 10}]->(v5)" + "(v5)-[e11:a {id : 11}]->(v9)" + "(v9)-[e12:c {id : 12}]->(v10)" + "]"; public static final String GRAPH_2 = DATA_GRAPH_VARIABLE + "[" + "(v0:B {id : 0})" + "(v1:A {id : 1})" + "(v2:A {id : 2})" + "(v3:A {id : 3})" + "(v4:C {id : 4})" + "(v5:B {id : 5})" + "(v6:B {id : 6})" + "(v7:C {id : 7})" + "(v8:B {id : 8})" + "(v9:B {id : 9})" + "(v10:A {id : 10})" + "(v11:C {id : 11})" + "(v12:D {id : 12})" + "(v1)-[e0:a {id : 0}]->(v0)" + "(v0)-[e1:b {id : 1}]->(v4)" + "(v0)-[e2:a {id : 2}]->(v4)" + "(v0)-[e3:a {id : 3}]->(v3)" + "(v3)-[e4:a {id : 4}]->(v5)" + "(v5)-[e5:a {id : 5}]->(v1)" + "(v1)-[e6:a {id : 6}]->(v6)" + "(v6)-[e7:a {id : 7}]->(v2)" + "(v2)-[e8:a {id : 8}]->(v6)" + "(v5)-[e9:a {id : 9}]->(v4)" + "(v5)-[e10:b {id : 10}]->(v4)" + "(v6)-[e11:b {id : 11}]->(v7)" + "(v8)-[e12:a {id : 12}]->(v7)" + "(v10)-[e13:a {id : 13}]->(v5)" + "(v6)-[e14:a {id : 14}]->(v10)" + "(v9)-[e15:d {id : 15}]->(v9)" + "(v9)-[e16:a {id : 16}]->(v10)" + "(v10)-[e17:d {id : 17}]->(v11)" + "(v11)-[e18:a {id : 18}]->(v12)" + "]"; public static final String GRAPH_3 = DATA_GRAPH_VARIABLE + "[" + "(v0:A {id : 0})-[e0:a {id : 0}]->(v1:A {id : 1})" + "(v1)-[e1:a {id : 1}]->(v2:A {id : 2})" + "(v2)-[e2:a {id : 2}]->(v3:A {id : 3})" + "]"; public static final String GRAPH_4 = DATA_GRAPH_VARIABLE + "[" + "(v0:A {id : 0})-[e0:a {id : 0}]->(v1:A {id : 1})" + "(v1)-[e1:a {id : 1}]->(v2:A {id : 2})-[e3:a {id : 3}]->(v3:A {id : 3})" + "(v1)-[e2:a {id : 2}]->(v2)" + "]"; public static final String GRAPH_5 = DATA_GRAPH_VARIABLE + "[(v0 {id : 0})-[e0 {id:0}]->(v1 {id : 1})]"; }
.version 52 0 .class public super TestData .super java/lang/Object .field public static final DATA_GRAPH_VARIABLE Ljava/lang/String; = 'db' .field public static final CHAIN_PATTERN_0 Ljava/lang/String; = '(:A)-[:a]->(:B)' .field public static final CHAIN_PATTERN_1 Ljava/lang/String; = '(:A)-[:a]->(:A)' .field public static final CHAIN_PATTERN_2 Ljava/lang/String; = '(:A)' .field public static final CHAIN_PATTERN_3 Ljava/lang/String; = '(:B)-[:d]->(:B)' .field public static final CHAIN_PATTERN_4 Ljava/lang/String; = '(:A)-[:a]->(:A)-[:a]->(:A)' .field public static final CHAIN_PATTERN_5 Ljava/lang/String; = '(:B)-[:b]->(:C)<-[:a]-(:A)' .field public static final CHAIN_PATTERN_6 Ljava/lang/String; = '(c)<--(a)-->(b)' .field public static final CHAIN_PATTERN_7 Ljava/lang/String; = '(a)-->(b),(a)-->(c)' .field public static final LOOP_PATTERN_0 Ljava/lang/String; = '(b:B)-[:d]->(b)' .field public static final CYCLE_PATTERN_0 Ljava/lang/String; = '(a:A)-[:a]->(b:B)-[:a]->(a)' .field public static final CYCLE_PATTERN_1 Ljava/lang/String; = '(b:B)-[:d]->(:B)-[:d]->(b)' .field public static final CYCLE_PATTERN_2 Ljava/lang/String; = '(a:A)-[:a]->(b:B)-[:a]->(a),(b)-[:b]->(:C)' .field public static CYCLE_PATTERN_3 Ljava/lang/String; .field public static final CYCLE_PATTERN_4 Ljava/lang/String; = '(a0:A)-[:a]->(b0:B)-[:a]->(a1:A)-[:a]->(b1:B)-[:a]->(a0)' .field public static final CYCLE_PATTERN_5 Ljava/lang/String; = '(v0:B)-[:a]->(v1:C)<-[:b]-(v0)' .field public static final CYCLE_PATTERN_6 Ljava/lang/String; = '(v0:A)-[:a]->(v1:A)<-[:a]-(v0)' .field public static final UNLABELED_PATTERN_0 Ljava/lang/String; = '()' .field public static final UNLABELED_PATTERN_1 Ljava/lang/String; = '()-->()' .field public static final UNLABELED_PATTERN_2 Ljava/lang/String; = '()-[:b]->()' .field public static final UNLABELED_PATTERN_3 Ljava/lang/String; = '(:A)-->(:B)' .field public static final VAR_LENGTH_PATH_PATTERN_0 Ljava/lang/String; = '(:B)-[:a*2..2]->(:B)' .field public static final VAR_LENGTH_PATH_PATTERN_1 Ljava/lang/String; = '(:B)<-[:a*2..2]-(:B)' .field public static final VAR_LENGTH_PATH_PATTERN_2 Ljava/lang/String; = '(:B)-[:d*2..3]->()' .field public static final VAR_LENGTH_PATH_PATTERN_3 Ljava/lang/String; = '(:A)-[:a*]->()' .field public static final VAR_LENGTH_PATH_PATTERN_4 Ljava/lang/String; = '(s:A)-[:a*1..2]->(s)' .field public static final GRAPH_1 Ljava/lang/String; = [s60] .field public static final GRAPH_2 Ljava/lang/String; = [s62] .field public static final GRAPH_3 Ljava/lang/String; = 'db[(v0:A {id : 0})-[e0:a {id : 0}]->(v1:A {id : 1})(v1)-[e1:a {id : 1}]->(v2:A {id : 2})(v2)-[e2:a {id : 2}]->(v3:A {id : 3})]' .field public static final GRAPH_4 Ljava/lang/String; = 'db[(v0:A {id : 0})-[e0:a {id : 0}]->(v1:A {id : 1})(v1)-[e1:a {id : 1}]->(v2:A {id : 2})-[e3:a {id : 3}]->(v3:A {id : 3})(v1)-[e2:a {id : 2}]->(v2)]' .field public static final GRAPH_5 Ljava/lang/String; = 'db[(v0 {id : 0})-[e0 {id:0}]->(v1 {id : 1})]' .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 .method static <clinit> : ()V .code stack 1 locals 0 L0: ldc '(a:A)-[:a]->(b:B)-[:a]->(a),(b)-[:b]->(:C)<-[:a]-(:B)' L2: putstatic Field TestData CYCLE_PATTERN_3 Ljava/lang/String; L5: return L6: .linenumbertable L0 43 .end linenumbertable .end code .end method .sourcefile 'TestData.java' .const [s60] = String [u106] .const [s62] = String [u107] .const [u106] = Utf8 'db[(v0:B {id : 0})(v1:A {id : 1})(v2:A {id : 2})(v3:C {id : 3})(v4:B {id : 4})(v5:A {id : 5})(v6:B {id : 6})(v7:C {id : 7})(v8:B {id : 8})(v9:C {id : 9})(v10:D {id : 10})(v0)-[e0:a {id : 0}]->(v1)(v0)-[e1:a {id : 1}]->(v3)(v1)-[e2:a {id : 2}]->(v6)(v2)-[e3:a {id : 3}]->(v6)(v4)-[e4:a {id : 4}]->(v1)(v4)-[e5:b {id : 5}]->(v3)(v5)-[e6:a {id : 6}]->(v4)(v6)-[e7:a {id : 7}]->(v2)(v6)-[e8:a {id : 8}]->(v5)(v6)-[e9:b {id : 9}]->(v7)(v8)-[e10:a {id : 10}]->(v5)(v5)-[e11:a {id : 11}]->(v9)(v9)-[e12:c {id : 12}]->(v10)]' .const [u107] = Utf8 'db[(v0:B {id : 0})(v1:A {id : 1})(v2:A {id : 2})(v3:A {id : 3})(v4:C {id : 4})(v5:B {id : 5})(v6:B {id : 6})(v7:C {id : 7})(v8:B {id : 8})(v9:B {id : 9})(v10:A {id : 10})(v11:C {id : 11})(v12:D {id : 12})(v1)-[e0:a {id : 0}]->(v0)(v0)-[e1:b {id : 1}]->(v4)(v0)-[e2:a {id : 2}]->(v4)(v0)-[e3:a {id : 3}]->(v3)(v3)-[e4:a {id : 4}]->(v5)(v5)-[e5:a {id : 5}]->(v1)(v1)-[e6:a {id : 6}]->(v6)(v6)-[e7:a {id : 7}]->(v2)(v2)-[e8:a {id : 8}]->(v6)(v5)-[e9:a {id : 9}]->(v4)(v5)-[e10:b {id : 10}]->(v4)(v6)-[e11:b {id : 11}]->(v7)(v8)-[e12:a {id : 12}]->(v7)(v10)-[e13:a {id : 13}]->(v5)(v6)-[e14:a {id : 14}]->(v10)(v9)-[e15:d {id : 15}]->(v9)(v9)-[e16:a {id : 16}]->(v10)(v10)-[e17:d {id : 17}]->(v11)(v11)-[e18:a {id : 18}]->(v12)]' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 04:38:28 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 TestData_ESTest extends TestData_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { TestData testData0 = new TestData(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 04:38:28 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 TestData_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 = "TestData"; 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/tmpfx2bzi2b"); 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(TestData_ESTest_scaffolding.class.getClassLoader() , "TestData" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TestData_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "TestData" ); } }
33
PrefMapping
/* * PrefMapping.java * * Created on 27. Juli 2003, 21:45 * * The MIT License * * Copyright (C) 2003 * Tilmann Kuhn Gildestr. 34 * http://www.tkuhn.de 76149 Karlsruhe * [email protected] Germany * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal * in the Software without restriction, including without limitation the rights * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell * copies of the Software, and to permit persons to whom the Software is * furnished to do so, subject to the following conditions: * * The above copyright notice and this permission notice shall be included in * all copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN * THE SOFTWARE. */ import java.util.prefs.Preferences; /** * A mapping that map preferences with their String key * * @author Tilmann Kuhn */ public class PrefMapping { private Preferences prefs; private String key; /** Creates a new instance of PrefMapping */ public PrefMapping() {} public PrefMapping(Preferences prefs, String key) { this.prefs = prefs; this.key = key; } /** * Getter for property prefs. * * @return Value of property prefs. */ public Preferences getPrefs() { return prefs; } /** * Setter for property prefs. * * @param prefs New value of property prefs. */ public void setPrefs(Preferences prefs) { this.prefs = prefs; } /** * Getter for property key. * * @return Value of property key. */ public java.lang.String getKey() { return key; } /** * Setter for property key. * * @param key New value of property key. */ public void setKey(java.lang.String key) { this.key = key; } public String toString() { return key; } public Object clone() { return new PrefMapping(prefs, key); } }
.version 52 0 .class public super PrefMapping .super java/lang/Object .field private prefs Ljava/util/prefs/Preferences; .field private key 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 48 L4 49 .end linenumbertable .end code .end method .method public <init> : (Ljava/util/prefs/Preferences;Ljava/lang/String;)V .code stack 2 locals 3 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: aload_1 L6: putfield Field PrefMapping prefs Ljava/util/prefs/Preferences; L9: aload_0 L10: aload_2 L11: putfield Field PrefMapping key Ljava/lang/String; L14: return L15: .linenumbertable L0 51 L4 52 L9 53 L14 54 .end linenumbertable .end code .end method .method public getPrefs : ()Ljava/util/prefs/Preferences; .code stack 1 locals 1 L0: aload_0 L1: getfield Field PrefMapping prefs Ljava/util/prefs/Preferences; L4: areturn L5: .linenumbertable L0 62 .end linenumbertable .end code .end method .method public setPrefs : (Ljava/util/prefs/Preferences;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field PrefMapping prefs Ljava/util/prefs/Preferences; L5: return L6: .linenumbertable L0 72 L5 73 .end linenumbertable .end code .end method .method public getKey : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field PrefMapping key Ljava/lang/String; L4: areturn L5: .linenumbertable L0 81 .end linenumbertable .end code .end method .method public setKey : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field PrefMapping key Ljava/lang/String; L5: return L6: .linenumbertable L0 91 L5 92 .end linenumbertable .end code .end method .method public toString : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field PrefMapping key Ljava/lang/String; L4: areturn L5: .linenumbertable L0 95 .end linenumbertable .end code .end method .method public clone : ()Ljava/lang/Object; .code stack 4 locals 1 L0: new PrefMapping L3: dup L4: aload_0 L5: getfield Field PrefMapping prefs Ljava/util/prefs/Preferences; L8: aload_0 L9: getfield Field PrefMapping key Ljava/lang/String; L12: invokespecial Method PrefMapping <init> (Ljava/util/prefs/Preferences;Ljava/lang/String;)V L15: areturn L16: .linenumbertable L0 99 .end linenumbertable .end code .end method .sourcefile 'PrefMapping.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 05:42:08 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import java.util.prefs.Preferences; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.evosuite.runtime.mock.java.util.prefs.MockPreferences; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class PrefMapping_ESTest extends PrefMapping_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Class<Object> class0 = Object.class; Preferences preferences0 = MockPreferences.systemNodeForPackage(class0); PrefMapping prefMapping0 = new PrefMapping(preferences0, "&~Q3&O}RkH`UNBo6s1"); String string0 = prefMapping0.toString(); assertEquals("&~Q3&O}RkH`UNBo6s1", string0); } @Test(timeout = 4000) public void test1() throws Throwable { Preferences preferences0 = MockPreferences.systemRoot(); PrefMapping prefMapping0 = new PrefMapping(preferences0, ")w7XLlNRjp&"); String string0 = prefMapping0.getKey(); assertEquals(")w7XLlNRjp&", string0); } @Test(timeout = 4000) public void test2() throws Throwable { PrefMapping prefMapping0 = new PrefMapping(); prefMapping0.setKey(""); String string0 = prefMapping0.getKey(); assertEquals("", string0); } @Test(timeout = 4000) public void test3() throws Throwable { Preferences preferences0 = MockPreferences.systemRoot(); PrefMapping prefMapping0 = new PrefMapping(preferences0, ""); String string0 = prefMapping0.toString(); assertEquals("", string0); } @Test(timeout = 4000) public void test4() throws Throwable { PrefMapping prefMapping0 = new PrefMapping(); String string0 = prefMapping0.toString(); assertNull(string0); } @Test(timeout = 4000) public void test5() throws Throwable { PrefMapping prefMapping0 = new PrefMapping(); prefMapping0.setPrefs((Preferences) null); assertNull(prefMapping0.toString()); } @Test(timeout = 4000) public void test6() throws Throwable { PrefMapping prefMapping0 = new PrefMapping(); Preferences preferences0 = prefMapping0.getPrefs(); assertNull(preferences0); } @Test(timeout = 4000) public void test7() throws Throwable { PrefMapping prefMapping0 = new PrefMapping(); String string0 = prefMapping0.getKey(); assertNull(string0); } @Test(timeout = 4000) public void test8() throws Throwable { PrefMapping prefMapping0 = new PrefMapping(); Object object0 = prefMapping0.clone(); assertNotSame(object0, prefMapping0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 05:42:08 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 PrefMapping_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 = "PrefMapping"; 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/tmpwgkwecif"); 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(PrefMapping_ESTest_scaffolding.class.getClassLoader() , "PrefMapping" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PrefMapping_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "PrefMapping" ); } }
34
PlayerClassement
public class PlayerClassement { private String name; private int niveau; private int experience; public PlayerClassement() {} public PlayerClassement(String name, int niveau, int experience) { this.name = name; this.niveau = niveau; this.experience = experience; } public String getName() { return name; } public int getNiveau() { return niveau; } public int getExperience() { return experience; } }
.version 52 0 .class public super PlayerClassement .super java/lang/Object .field private name Ljava/lang/String; .field private niveau I .field private experience I .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 11 L4 13 .end linenumbertable .end code .end method .method public <init> : (Ljava/lang/String;II)V .code stack 2 locals 4 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: aload_1 L6: putfield Field PlayerClassement name Ljava/lang/String; L9: aload_0 L10: iload_2 L11: putfield Field PlayerClassement niveau I L14: aload_0 L15: iload_3 L16: putfield Field PlayerClassement experience I L19: return L20: .linenumbertable L0 15 L4 16 L9 17 L14 18 L19 19 .end linenumbertable .end code .end method .method public getName : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field PlayerClassement name Ljava/lang/String; L4: areturn L5: .linenumbertable L0 22 .end linenumbertable .end code .end method .method public getNiveau : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field PlayerClassement niveau I L4: ireturn L5: .linenumbertable L0 26 .end linenumbertable .end code .end method .method public getExperience : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field PlayerClassement experience I L4: ireturn L5: .linenumbertable L0 30 .end linenumbertable .end code .end method .sourcefile 'PlayerClassement.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 04:35:32 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 PlayerClassement_ESTest extends PlayerClassement_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { PlayerClassement playerClassement0 = new PlayerClassement(); int int0 = playerClassement0.getNiveau(); assertEquals(0, int0); } @Test(timeout = 4000) public void test1() throws Throwable { PlayerClassement playerClassement0 = new PlayerClassement("nP|", (-1), (-1)); int int0 = playerClassement0.getNiveau(); assertEquals((-1), playerClassement0.getExperience()); assertEquals((-1), int0); } @Test(timeout = 4000) public void test2() throws Throwable { PlayerClassement playerClassement0 = new PlayerClassement(); String string0 = playerClassement0.getName(); assertNull(string0); } @Test(timeout = 4000) public void test3() throws Throwable { PlayerClassement playerClassement0 = new PlayerClassement("3x&qF-IRdTF*+mjCBO", (-14154), (-14154)); playerClassement0.getName(); assertEquals((-14154), playerClassement0.getExperience()); assertEquals((-14154), playerClassement0.getNiveau()); } @Test(timeout = 4000) public void test4() throws Throwable { PlayerClassement playerClassement0 = new PlayerClassement("", 43386, 43386); int int0 = playerClassement0.getExperience(); assertEquals(43386, int0); assertEquals(43386, playerClassement0.getNiveau()); } @Test(timeout = 4000) public void test5() throws Throwable { PlayerClassement playerClassement0 = new PlayerClassement("", 0, (-12859)); int int0 = playerClassement0.getExperience(); assertEquals((-12859), int0); assertEquals(0, playerClassement0.getNiveau()); } @Test(timeout = 4000) public void test6() throws Throwable { PlayerClassement playerClassement0 = new PlayerClassement(); int int0 = playerClassement0.getExperience(); assertEquals(0, int0); } @Test(timeout = 4000) public void test7() throws Throwable { PlayerClassement playerClassement0 = new PlayerClassement("", 43386, 43386); int int0 = playerClassement0.getNiveau(); assertEquals(43386, int0); assertEquals(43386, playerClassement0.getExperience()); } @Test(timeout = 4000) public void test8() throws Throwable { PlayerClassement playerClassement0 = new PlayerClassement("", 43386, 43386); playerClassement0.getName(); assertEquals(43386, playerClassement0.getExperience()); assertEquals(43386, playerClassement0.getNiveau()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 04:35:32 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 PlayerClassement_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 = "PlayerClassement"; 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/tmpwcch5dej"); 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(PlayerClassement_ESTest_scaffolding.class.getClassLoader() , "PlayerClassement" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PlayerClassement_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "PlayerClassement" ); } }
35
GasUpProblem
import java.util.List; public class GasUpProblem { /* 18.6 */ public static int findAmpleCity(List<Integer> gallons, List<Integer> distances) { return 0; } }
.version 52 0 .class public super GasUpProblem .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 .method public static findAmpleCity : (Ljava/util/List;Ljava/util/List;)I .code stack 1 locals 2 L0: iconst_0 L1: ireturn L2: .linenumbertable L0 11 .end linenumbertable .end code .signature (Ljava/util/List<Ljava/lang/Integer;>;Ljava/util/List<Ljava/lang/Integer;>;)I .end method .sourcefile 'GasUpProblem.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 06:25:51 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; 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 GasUpProblem_ESTest extends GasUpProblem_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { LinkedList<Integer> linkedList0 = new LinkedList<Integer>(); int int0 = GasUpProblem.findAmpleCity(linkedList0, linkedList0); assertEquals(0, int0); } @Test(timeout = 4000) public void test1() throws Throwable { GasUpProblem gasUpProblem0 = new GasUpProblem(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 06:25:51 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 GasUpProblem_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 = "GasUpProblem"; 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/tmpphyazqj7"); 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(GasUpProblem_ESTest_scaffolding.class.getClassLoader() , "GasUpProblem" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(GasUpProblem_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "GasUpProblem" ); } }
36
MockOutputStreamThatThrowsIOExceptionOnEverything
import java.io.IOException; import java.io.OutputStream; /** * A handwritten mock {@link OutputStream}. * * <p>This is an {@link OutputStream} that will throw {@link IOException} on all methods declaring * {@link IOException}. * * @author Steinar Bang */ public class MockOutputStreamThatThrowsIOExceptionOnEverything extends OutputStream { @Override public void write(int b) throws IOException { throw new IOException(); } @Override public void close() throws IOException { throw new IOException(); } @Override public void write(byte[] b, int off, int len) throws IOException { throw new IOException(); } @Override public void write(byte[] b) throws IOException { throw new IOException(); } }
.version 52 0 .class public super MockOutputStreamThatThrowsIOExceptionOnEverything .super java/io/OutputStream .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/io/OutputStream <init> ()V L4: return L5: .linenumbertable L0 15 .end linenumbertable .end code .end method .method public write : (I)V .code stack 2 locals 2 L0: new java/io/IOException L3: dup L4: invokespecial Method java/io/IOException <init> ()V L7: athrow L8: .linenumbertable L0 19 .end linenumbertable .end code .exceptions java/io/IOException .end method .method public close : ()V .code stack 2 locals 1 L0: new java/io/IOException L3: dup L4: invokespecial Method java/io/IOException <init> ()V L7: athrow L8: .linenumbertable L0 24 .end linenumbertable .end code .exceptions java/io/IOException .end method .method public write : ([BII)V .code stack 2 locals 4 L0: new java/io/IOException L3: dup L4: invokespecial Method java/io/IOException <init> ()V L7: athrow L8: .linenumbertable L0 29 .end linenumbertable .end code .exceptions java/io/IOException .end method .method public write : ([B)V .code stack 2 locals 2 L0: new java/io/IOException L3: dup L4: invokespecial Method java/io/IOException <init> ()V L7: athrow L8: .linenumbertable L0 34 .end linenumbertable .end code .exceptions java/io/IOException .end method .sourcefile 'MockOutputStreamThatThrowsIOExceptionOnEverything.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 23:48:52 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; import java.io.IOException; 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 MockOutputStreamThatThrowsIOExceptionOnEverything_ESTest extends MockOutputStreamThatThrowsIOExceptionOnEverything_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { MockOutputStreamThatThrowsIOExceptionOnEverything mockOutputStreamThatThrowsIOExceptionOnEverything0 = new MockOutputStreamThatThrowsIOExceptionOnEverything(); byte[] byteArray0 = new byte[4]; try { mockOutputStreamThatThrowsIOExceptionOnEverything0.write(byteArray0, 28331, 0); fail("Expecting exception: IOException"); } catch(IOException e) { // // no message in exception (getMessage() returned null) // verifyException("MockOutputStreamThatThrowsIOExceptionOnEverything", e); } } @Test(timeout = 4000) public void test1() throws Throwable { MockOutputStreamThatThrowsIOExceptionOnEverything mockOutputStreamThatThrowsIOExceptionOnEverything0 = new MockOutputStreamThatThrowsIOExceptionOnEverything(); byte[] byteArray0 = new byte[4]; try { mockOutputStreamThatThrowsIOExceptionOnEverything0.write(byteArray0); fail("Expecting exception: IOException"); } catch(IOException e) { // // no message in exception (getMessage() returned null) // verifyException("MockOutputStreamThatThrowsIOExceptionOnEverything", e); } } @Test(timeout = 4000) public void test2() throws Throwable { MockOutputStreamThatThrowsIOExceptionOnEverything mockOutputStreamThatThrowsIOExceptionOnEverything0 = new MockOutputStreamThatThrowsIOExceptionOnEverything(); try { mockOutputStreamThatThrowsIOExceptionOnEverything0.close(); fail("Expecting exception: IOException"); } catch(IOException e) { // // no message in exception (getMessage() returned null) // verifyException("MockOutputStreamThatThrowsIOExceptionOnEverything", e); } } @Test(timeout = 4000) public void test3() throws Throwable { MockOutputStreamThatThrowsIOExceptionOnEverything mockOutputStreamThatThrowsIOExceptionOnEverything0 = new MockOutputStreamThatThrowsIOExceptionOnEverything(); try { mockOutputStreamThatThrowsIOExceptionOnEverything0.write(1); fail("Expecting exception: IOException"); } catch(IOException e) { // // no message in exception (getMessage() returned null) // verifyException("MockOutputStreamThatThrowsIOExceptionOnEverything", e); } } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 23:48:52 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 MockOutputStreamThatThrowsIOExceptionOnEverything_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 = "MockOutputStreamThatThrowsIOExceptionOnEverything"; 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/tmpfywsk5sq"); 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(MockOutputStreamThatThrowsIOExceptionOnEverything_ESTest_scaffolding.class.getClassLoader() , "MockOutputStreamThatThrowsIOExceptionOnEverything" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MockOutputStreamThatThrowsIOExceptionOnEverything_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "MockOutputStreamThatThrowsIOExceptionOnEverything" ); } }
37
User
public class User { private int uid; private String email; private String password; private String status; private String fname; private String lname; private String gender; private String dob; private String mobile; private String assembly; private String idproofdoc; public int getUid() { return uid; } public void setUid(int uid) { this.uid = uid; } public String getEmail() { return email; } public void setEmail(String email) { this.email = email; } public String getPassword() { return password; } public void setPassword(String password) { this.password = password; } public String getStatus() { return status; } public void setStatus(String status) { this.status = status; } public String getFname() { return fname; } public void setFname(String fname) { this.fname = fname; } public String getLname() { return lname; } public void setLname(String lname) { this.lname = lname; } public String getGender() { return gender; } public void setGender(String gender) { this.gender = gender; } public String getDob() { return dob; } public void setDob(String dob) { this.dob = dob; } public String getMobile() { return mobile; } public void setMobile(String mobile) { this.mobile = mobile; } public String getAssembly() { return assembly; } public void setAssembly(String assembly) { this.assembly = assembly; } public String getIdproofdoc() { return idproofdoc; } public void setIdproofdoc(String idproofdoc) { this.idproofdoc = idproofdoc; } }
.version 52 0 .class public super User .super java/lang/Object .field private uid I .field private email Ljava/lang/String; .field private password Ljava/lang/String; .field private status Ljava/lang/String; .field private fname Ljava/lang/String; .field private lname Ljava/lang/String; .field private gender Ljava/lang/String; .field private dob Ljava/lang/String; .field private mobile Ljava/lang/String; .field private assembly Ljava/lang/String; .field private idproofdoc 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 getUid : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field User uid I L4: ireturn L5: .linenumbertable L0 21 .end linenumbertable .end code .end method .method public setUid : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field User uid I L5: return L6: .linenumbertable L0 25 L5 26 .end linenumbertable .end code .end method .method public getEmail : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field User email Ljava/lang/String; L4: areturn L5: .linenumbertable L0 29 .end linenumbertable .end code .end method .method public setEmail : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field User email Ljava/lang/String; L5: return L6: .linenumbertable L0 33 L5 34 .end linenumbertable .end code .end method .method public getPassword : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field User password Ljava/lang/String; L4: areturn L5: .linenumbertable L0 37 .end linenumbertable .end code .end method .method public setPassword : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field User password Ljava/lang/String; L5: return L6: .linenumbertable L0 41 L5 42 .end linenumbertable .end code .end method .method public getStatus : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field User status Ljava/lang/String; L4: areturn L5: .linenumbertable L0 45 .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 User status Ljava/lang/String; L5: return L6: .linenumbertable L0 49 L5 50 .end linenumbertable .end code .end method .method public getFname : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field User fname Ljava/lang/String; L4: areturn L5: .linenumbertable L0 53 .end linenumbertable .end code .end method .method public setFname : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field User fname Ljava/lang/String; L5: return L6: .linenumbertable L0 57 L5 58 .end linenumbertable .end code .end method .method public getLname : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field User lname Ljava/lang/String; L4: areturn L5: .linenumbertable L0 61 .end linenumbertable .end code .end method .method public setLname : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field User lname Ljava/lang/String; L5: return L6: .linenumbertable L0 65 L5 66 .end linenumbertable .end code .end method .method public getGender : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field User gender Ljava/lang/String; L4: areturn L5: .linenumbertable L0 69 .end linenumbertable .end code .end method .method public setGender : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field User gender Ljava/lang/String; L5: return L6: .linenumbertable L0 73 L5 74 .end linenumbertable .end code .end method .method public getDob : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field User dob Ljava/lang/String; L4: areturn L5: .linenumbertable L0 77 .end linenumbertable .end code .end method .method public setDob : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field User dob Ljava/lang/String; L5: return L6: .linenumbertable L0 81 L5 82 .end linenumbertable .end code .end method .method public getMobile : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field User mobile Ljava/lang/String; L4: areturn L5: .linenumbertable L0 85 .end linenumbertable .end code .end method .method public setMobile : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field User mobile Ljava/lang/String; L5: return L6: .linenumbertable L0 89 L5 90 .end linenumbertable .end code .end method .method public getAssembly : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field User assembly Ljava/lang/String; L4: areturn L5: .linenumbertable L0 93 .end linenumbertable .end code .end method .method public setAssembly : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field User assembly Ljava/lang/String; L5: return L6: .linenumbertable L0 97 L5 98 .end linenumbertable .end code .end method .method public getIdproofdoc : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field User idproofdoc Ljava/lang/String; L4: areturn L5: .linenumbertable L0 101 .end linenumbertable .end code .end method .method public setIdproofdoc : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field User idproofdoc Ljava/lang/String; L5: return L6: .linenumbertable L0 105 L5 106 .end linenumbertable .end code .end method .sourcefile 'User.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 02:25:33 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 User_ESTest extends User_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { User user0 = new User(); user0.setUid((-79268)); int int0 = user0.getUid(); assertEquals((-79268), int0); } @Test(timeout = 4000) public void test01() throws Throwable { User user0 = new User(); user0.setStatus("$]<h!xPh{2'"); String string0 = user0.getStatus(); assertEquals("$]<h!xPh{2'", string0); } @Test(timeout = 4000) public void test02() throws Throwable { User user0 = new User(); user0.setPassword("ij`qki-6TRKQ"); String string0 = user0.getPassword(); assertEquals("ij`qki-6TRKQ", string0); } @Test(timeout = 4000) public void test03() throws Throwable { User user0 = new User(); user0.setPassword(""); String string0 = user0.getPassword(); assertEquals("", string0); } @Test(timeout = 4000) public void test04() throws Throwable { User user0 = new User(); user0.setMobile("User"); String string0 = user0.getMobile(); assertEquals("User", string0); } @Test(timeout = 4000) public void test05() throws Throwable { User user0 = new User(); user0.setLname("$]<h!xPh{2'"); String string0 = user0.getLname(); assertEquals("$]<h!xPh{2'", string0); } @Test(timeout = 4000) public void test06() throws Throwable { User user0 = new User(); user0.setIdproofdoc("Hz.)RUV=\"6*KU"); String string0 = user0.getIdproofdoc(); assertEquals("Hz.)RUV=\"6*KU", string0); } @Test(timeout = 4000) public void test07() throws Throwable { User user0 = new User(); user0.setIdproofdoc(""); String string0 = user0.getIdproofdoc(); assertEquals("", string0); } @Test(timeout = 4000) public void test08() throws Throwable { User user0 = new User(); user0.setGender("cXD3<I#"); String string0 = user0.getGender(); assertEquals("cXD3<I#", string0); } @Test(timeout = 4000) public void test09() throws Throwable { User user0 = new User(); user0.setFname("ij`qki-6TRKQ"); String string0 = user0.getFname(); assertEquals("ij`qki-6TRKQ", string0); } @Test(timeout = 4000) public void test10() throws Throwable { User user0 = new User(); user0.setFname(""); String string0 = user0.getFname(); assertEquals("", string0); } @Test(timeout = 4000) public void test11() throws Throwable { User user0 = new User(); user0.setEmail("q;CxoBH/vmIxj^a"); String string0 = user0.getEmail(); assertEquals("q;CxoBH/vmIxj^a", string0); } @Test(timeout = 4000) public void test12() throws Throwable { User user0 = new User(); user0.setDob("@ZL$rd1l"); String string0 = user0.getDob(); assertEquals("@ZL$rd1l", string0); } @Test(timeout = 4000) public void test13() throws Throwable { User user0 = new User(); user0.setAssembly("[P.{$rq"); String string0 = user0.getAssembly(); assertEquals("[P.{$rq", string0); } @Test(timeout = 4000) public void test14() throws Throwable { User user0 = new User(); user0.setAssembly(""); String string0 = user0.getAssembly(); assertEquals("", string0); } @Test(timeout = 4000) public void test15() throws Throwable { User user0 = new User(); user0.setGender(""); String string0 = user0.getGender(); assertEquals("", string0); } @Test(timeout = 4000) public void test16() throws Throwable { User user0 = new User(); String string0 = user0.getFname(); assertNull(string0); } @Test(timeout = 4000) public void test17() throws Throwable { User user0 = new User(); String string0 = user0.getMobile(); assertNull(string0); } @Test(timeout = 4000) public void test18() throws Throwable { User user0 = new User(); int int0 = user0.getUid(); assertEquals(0, int0); } @Test(timeout = 4000) public void test19() throws Throwable { User user0 = new User(); String string0 = user0.getLname(); assertNull(string0); } @Test(timeout = 4000) public void test20() throws Throwable { User user0 = new User(); user0.setEmail(""); String string0 = user0.getEmail(); assertEquals("", string0); } @Test(timeout = 4000) public void test21() throws Throwable { User user0 = new User(); user0.setDob(""); String string0 = user0.getDob(); assertEquals("", string0); } @Test(timeout = 4000) public void test22() throws Throwable { User user0 = new User(); String string0 = user0.getAssembly(); assertNull(string0); } @Test(timeout = 4000) public void test23() throws Throwable { User user0 = new User(); user0.setLname(""); String string0 = user0.getLname(); assertEquals("", string0); } @Test(timeout = 4000) public void test24() throws Throwable { User user0 = new User(); String string0 = user0.getDob(); assertNull(string0); } @Test(timeout = 4000) public void test25() throws Throwable { User user0 = new User(); String string0 = user0.getGender(); assertNull(string0); } @Test(timeout = 4000) public void test26() throws Throwable { User user0 = new User(); String string0 = user0.getPassword(); assertNull(string0); } @Test(timeout = 4000) public void test27() throws Throwable { User user0 = new User(); String string0 = user0.getEmail(); assertNull(string0); } @Test(timeout = 4000) public void test28() throws Throwable { User user0 = new User(); String string0 = user0.getIdproofdoc(); assertNull(string0); } @Test(timeout = 4000) public void test29() throws Throwable { User user0 = new User(); user0.setMobile(""); String string0 = user0.getMobile(); assertEquals("", string0); } @Test(timeout = 4000) public void test30() throws Throwable { User user0 = new User(); user0.setUid(1); int int0 = user0.getUid(); assertEquals(1, int0); } @Test(timeout = 4000) public void test31() throws Throwable { User user0 = new User(); String string0 = user0.getStatus(); assertNull(string0); } @Test(timeout = 4000) public void test32() throws Throwable { User user0 = new User(); user0.setStatus(""); String string0 = user0.getStatus(); assertEquals("", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 02:25:33 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 User_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 = "User"; 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/tmpbpmczzzy"); 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(User_ESTest_scaffolding.class.getClassLoader() , "User" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(User_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "User" ); } }
38
Main
/* * Author: Kim Min-Ho (ISKU) * Date: 2016.09.25 * email: [email protected] * * https://github.com/ISKU/Algorithm * https://www.acmicpc.net/problem/10874 */ import java.util.Scanner; public class Main { public static void main(String args[]) { Scanner input = new Scanner(System.in); String answer = "1 2 3 4 5 1 2 3 4 5"; int testCase = Integer.parseInt(input.nextLine()); for (int student = 1; student <= testCase; student++) if (input.nextLine().equals(answer)) System.out.println(student); } }
.version 52 0 .class public super Main .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 12 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 3 locals 5 L0: new java/util/Scanner L3: dup L4: getstatic Field java/lang/System in Ljava/io/InputStream; L7: invokespecial Method java/util/Scanner <init> (Ljava/io/InputStream;)V L10: astore_1 L11: ldc '1 2 3 4 5 1 2 3 4 5' L13: astore_2 L14: aload_1 L15: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String; L18: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I L21: istore_3 L22: iconst_1 L23: istore 4 .stack full locals Object [Ljava/lang/String; Object java/util/Scanner Object java/lang/String Integer Integer stack .end stack L25: iload 4 L27: iload_3 L28: if_icmpgt L56 L31: aload_1 L32: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String; L35: aload_2 L36: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L39: ifeq L50 L42: getstatic Field java/lang/System out Ljava/io/PrintStream; L45: iload 4 L47: invokevirtual Method java/io/PrintStream println (I)V .stack same L50: iinc 4 1 L53: goto L25 .stack chop 1 L56: return L57: .linenumbertable L0 14 L11 15 L14 16 L22 18 L31 19 L42 20 L50 18 L56 21 .end linenumbertable .end code .end method .sourcefile 'Main.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 10:09:40 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; import java.util.NoSuchElementException; 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 Main_ESTest extends Main_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { String[] stringArray0 = new String[0]; // Undeclared exception! try { Main.main(stringArray0); fail("Expecting exception: NoSuchElementException"); } catch(NoSuchElementException e) { // // No line found // verifyException("java.util.Scanner", e); } } @Test(timeout = 4000) public void test1() throws Throwable { Main main0 = new Main(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 10:09:40 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 Main_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 = "Main"; 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(); org.evosuite.runtime.util.SystemInUtil.getInstance().initForTestCase(); } @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/tmpavl2ixzo"); 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(Main_ESTest_scaffolding.class.getClassLoader() , "Main" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Main_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Main" ); } }
39
Extractor
import java.util.Optional; public abstract class Extractor { public Optional<String> extractValue(Object object) { if (isSupported(object)) { return Optional.of(extractValueInternal(object)); } return Optional.empty(); } protected abstract boolean isSupported(Object object); protected abstract String extractValueInternal(Object object); }
.version 52 0 .class public super abstract Extractor .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 5 .end linenumbertable .end code .end method .method public extractValue : (Ljava/lang/Object;)Ljava/util/Optional; .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: invokevirtual Method Extractor isSupported (Ljava/lang/Object;)Z L5: ifeq L17 L8: aload_0 L9: aload_1 L10: invokevirtual Method Extractor extractValueInternal (Ljava/lang/Object;)Ljava/lang/String; L13: invokestatic Method java/util/Optional of (Ljava/lang/Object;)Ljava/util/Optional; L16: areturn .stack same L17: invokestatic Method java/util/Optional empty ()Ljava/util/Optional; L20: areturn L21: .linenumbertable L0 8 L8 9 L17 11 .end linenumbertable .end code .signature (Ljava/lang/Object;)Ljava/util/Optional<Ljava/lang/String;>; .end method .method protected abstract isSupported : (Ljava/lang/Object;)Z .end method .method protected abstract extractValueInternal : (Ljava/lang/Object;)Ljava/lang/String; .end method .sourcefile 'Extractor.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 11:49:32 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 Extractor_ESTest extends Extractor_ESTest_scaffolding { @Test public void notGeneratedAnyTest() { // EvoSuite did not generate any tests } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 11:49:32 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class Extractor_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); 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 = "Extractor"; 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(); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); 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() { /*No java.lang.System property to set*/ } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Extractor_ESTest_scaffolding.class.getClassLoader() , "Extractor" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Extractor_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Extractor" ); } }
40
Question5
/**************************************************************** * Licensed to the AOS Community (AOS) under one or more * * contributor license agreements. See the NOTICE file * * distributed with this work for additional information * * regarding copyright ownership. The AOS 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. * ****************************************************************/ /* * Comment le programme suivant va-t-il se comporter lors de la compilation et lors de l�ex�cution ? * * public class Question5 { * public static void main(String... args){ * X reference1 = new Z(); * Y reference2 = (Y)reference1; * System.out.println(reference2.f()); * } * } * * *class X{int f(){return 1;}} *class Y extends X{int f(){return 2;}} *class Z extends Y{int f(){return 3;}} */ public class Question5 { public static void main(String... args) { X reference1 = new Z(); Y reference2 = (Y) reference1; System.out.println(reference2.f()); } } class X { int f() { return 1; } } class Y extends X { int f() { return 2; } } class Z extends Y { int f() { return 3; } }
.version 52 0 .class public super Question5 .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 38 .end linenumbertable .end code .end method .method public static varargs main : ([Ljava/lang/String;)V .code stack 2 locals 3 L0: new Z L3: dup L4: invokespecial Method Z <init> ()V L7: astore_1 L8: aload_1 L9: checkcast Y L12: astore_2 L13: getstatic Field java/lang/System out Ljava/io/PrintStream; L16: aload_2 L17: invokevirtual Method Y f ()I L20: invokevirtual Method java/io/PrintStream println (I)V L23: return L24: .linenumbertable L0 41 L8 42 L13 43 L23 44 .end linenumbertable .end code .end method .sourcefile 'Question5.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 02:21:34 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 Question5_ESTest extends Question5_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { // Undeclared exception! try { Question5.main((String[]) null); fail("Expecting exception: NoClassDefFoundError"); } catch(NoClassDefFoundError e) { // // Z // verifyException("Question5", e); } } @Test(timeout = 4000) public void test1() throws Throwable { Question5 question5_0 = new Question5(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 02:21: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 Question5_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 = "Question5"; 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/tmp1zlyenui"); 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(Question5_ESTest_scaffolding.class.getClassLoader() , "Question5" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Question5_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Question5" ); } }
41
ThreadDumper
import java.io.PrintWriter; import java.io.StringWriter; import java.lang.management.ManagementFactory; import java.lang.management.ThreadInfo; import java.lang.management.ThreadMXBean; import java.util.concurrent.CountDownLatch; public class ThreadDumper extends Thread { private static String INDENT = " "; private CountDownLatch latch; private volatile boolean dead; private int wait; public ThreadDumper() { this(10000); } public ThreadDumper(int wait) { this.latch = new CountDownLatch(1); this.wait = wait; } public void waitUntilStarted() throws InterruptedException { latch.await(); } public void kill() { try { Thread.sleep(1000); dead = true; dumpThreadInfo(); } catch (Exception e) { e.printStackTrace(); } } public void run() { while (!dead) { try { latch.countDown(); dumpThreadInfo(); findDeadlock(); Thread.sleep(wait); } catch (Exception e) { e.printStackTrace(); } } } /** Prints the thread dump information to System.out. */ public static void dumpThreadInfo() { System.out.println(getThreadInfo()); } public static String getThreadInfo() { ThreadMXBean tmbean = ManagementFactory.getThreadMXBean(); long[] tids = tmbean.getAllThreadIds(); ThreadInfo[] tinfos = tmbean.getThreadInfo(tids, Integer.MAX_VALUE); StringWriter str = new StringWriter(); PrintWriter log = new PrintWriter(str); log.println("Full Java thread dump"); for (ThreadInfo ti : tinfos) { printThreadInfo(ti, log); } log.flush(); return str.toString(); } private static void printThreadInfo(ThreadInfo ti, PrintWriter log) { if (ti != null) { StringBuilder sb = new StringBuilder( "\"" + ti.getThreadName() + "\"" + " Id=" + ti.getThreadId() + " in " + ti.getThreadState()); if (ti.getLockName() != null) { sb.append(" on lock=" + ti.getLockName()); } if (ti.isSuspended()) { sb.append(" (suspended)"); } if (ti.isInNative()) { sb.append(" (running in native)"); } log.println(sb.toString()); if (ti.getLockOwnerName() != null) { log.println(INDENT + " owned by " + ti.getLockOwnerName() + " Id=" + ti.getLockOwnerId()); } for (StackTraceElement ste : ti.getStackTrace()) { log.println(INDENT + "at " + ste.toString()); } log.println(); } } /** Checks if any threads are deadlocked. If any, print the thread dump information. */ public static boolean findDeadlock() { ThreadMXBean tmbean = ManagementFactory.getThreadMXBean(); long[] tids = tmbean.findMonitorDeadlockedThreads(); if (tids == null) { return false; } else { StringWriter str = new StringWriter(); PrintWriter log = new PrintWriter(str); tids = tmbean.getAllThreadIds(); System.out.println("Deadlock found :-"); ThreadInfo[] tinfos = tmbean.getThreadInfo(tids, Integer.MAX_VALUE); for (ThreadInfo ti : tinfos) { printThreadInfo(ti, log); } log.flush(); System.out.println(str.toString()); return true; } } }
.version 52 0 .class public super ThreadDumper .super java/lang/Thread .field private static INDENT Ljava/lang/String; .field private latch Ljava/util/concurrent/CountDownLatch; .field private volatile dead Z .field private wait I .method public <init> : ()V .code stack 2 locals 1 L0: aload_0 L1: sipush 10000 L4: invokespecial Method ThreadDumper <init> (I)V L7: return L8: .linenumbertable L0 19 L7 20 .end linenumbertable .end code .end method .method public <init> : (I)V .code stack 4 locals 2 L0: aload_0 L1: invokespecial Method java/lang/Thread <init> ()V L4: aload_0 L5: new java/util/concurrent/CountDownLatch L8: dup L9: iconst_1 L10: invokespecial Method java/util/concurrent/CountDownLatch <init> (I)V L13: putfield Field ThreadDumper latch Ljava/util/concurrent/CountDownLatch; L16: aload_0 L17: iload_1 L18: putfield Field ThreadDumper wait I L21: return L22: .linenumbertable L0 22 L4 23 L16 24 L21 25 .end linenumbertable .end code .end method .method public waitUntilStarted : ()V .code stack 1 locals 1 L0: aload_0 L1: getfield Field ThreadDumper latch Ljava/util/concurrent/CountDownLatch; L4: invokevirtual Method java/util/concurrent/CountDownLatch await ()V L7: return L8: .linenumbertable L0 28 L7 29 .end linenumbertable .end code .exceptions java/lang/InterruptedException .end method .method public kill : ()V .code stack 2 locals 2 .catch java/lang/Exception from L0 to L14 using L17 L0: ldc2_w 1000L L3: invokestatic Method java/lang/Thread sleep (J)V L6: aload_0 L7: iconst_1 L8: putfield Field ThreadDumper dead Z L11: invokestatic Method ThreadDumper dumpThreadInfo ()V L14: goto L22 .stack stack_1 Object java/lang/Exception L17: astore_1 L18: aload_1 L19: invokevirtual Method java/lang/Exception printStackTrace ()V .stack same L22: return L23: .linenumbertable L0 33 L6 34 L11 35 L14 38 L17 36 L18 37 L22 39 .end linenumbertable .end code .end method .method public run : ()V .code stack 2 locals 2 .stack same L0: aload_0 L1: getfield Field ThreadDumper dead Z L4: ifne L40 .catch java/lang/Exception from L7 to L29 using L32 L7: aload_0 L8: getfield Field ThreadDumper latch Ljava/util/concurrent/CountDownLatch; L11: invokevirtual Method java/util/concurrent/CountDownLatch countDown ()V L14: invokestatic Method ThreadDumper dumpThreadInfo ()V L17: invokestatic Method ThreadDumper findDeadlock ()Z L20: pop L21: aload_0 L22: getfield Field ThreadDumper wait I L25: i2l L26: invokestatic Method java/lang/Thread sleep (J)V L29: goto L0 .stack stack_1 Object java/lang/Exception L32: astore_1 L33: aload_1 L34: invokevirtual Method java/lang/Exception printStackTrace ()V L37: goto L0 .stack same L40: return L41: .linenumbertable L0 41 L7 43 L14 44 L17 45 L21 46 L29 49 L32 47 L33 48 L37 49 L40 51 .end linenumbertable .end code .end method .method public static dumpThreadInfo : ()V .code stack 2 locals 0 L0: getstatic Field java/lang/System out Ljava/io/PrintStream; L3: invokestatic Method ThreadDumper getThreadInfo ()Ljava/lang/String; L6: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L9: return L10: .linenumbertable L0 57 L9 58 .end linenumbertable .end code .end method .method public static getThreadInfo : ()Ljava/lang/String; .code stack 3 locals 9 L0: invokestatic Method java/lang/management/ManagementFactory getThreadMXBean ()Ljava/lang/management/ThreadMXBean; L3: astore_0 L4: aload_0 L5: invokeinterface InterfaceMethod java/lang/management/ThreadMXBean getAllThreadIds ()[J 1 L10: astore_1 L11: aload_0 L12: aload_1 L13: ldc 2147483647 L15: invokeinterface InterfaceMethod java/lang/management/ThreadMXBean getThreadInfo ([JI)[Ljava/lang/management/ThreadInfo; 3 L20: astore_2 L21: new java/io/StringWriter L24: dup L25: invokespecial Method java/io/StringWriter <init> ()V L28: astore_3 L29: new java/io/PrintWriter L32: dup L33: aload_3 L34: invokespecial Method java/io/PrintWriter <init> (Ljava/io/Writer;)V L37: astore 4 L39: aload 4 L41: ldc 'Full Java thread dump' L43: invokevirtual Method java/io/PrintWriter println (Ljava/lang/String;)V L46: aload_2 L47: astore 5 L49: aload 5 L51: arraylength L52: istore 6 L54: iconst_0 L55: istore 7 .stack full locals Object java/lang/management/ThreadMXBean Object [J Object [Ljava/lang/management/ThreadInfo; Object java/io/StringWriter Object java/io/PrintWriter Object [Ljava/lang/management/ThreadInfo; Integer Integer stack .end stack L57: iload 7 L59: iload 6 L61: if_icmpge L84 L64: aload 5 L66: iload 7 L68: aaload L69: astore 8 L71: aload 8 L73: aload 4 L75: invokestatic Method ThreadDumper printThreadInfo (Ljava/lang/management/ThreadInfo;Ljava/io/PrintWriter;)V L78: iinc 7 1 L81: goto L57 .stack chop 3 L84: aload 4 L86: invokevirtual Method java/io/PrintWriter flush ()V L89: aload_3 L90: invokevirtual Method java/io/StringWriter toString ()Ljava/lang/String; L93: areturn L94: .linenumbertable L0 61 L4 62 L11 63 L21 64 L29 65 L39 66 L46 68 L71 69 L78 68 L84 71 L89 72 .end linenumbertable .end code .end method .method private static printThreadInfo : (Ljava/lang/management/ThreadInfo;Ljava/io/PrintWriter;)V .code stack 5 locals 7 L0: aload_0 L1: ifnull L247 L4: new java/lang/StringBuilder L7: dup L8: new java/lang/StringBuilder L11: dup L12: invokespecial Method java/lang/StringBuilder <init> ()V L15: ldc '"' L17: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L20: aload_0 L21: invokevirtual Method java/lang/management/ThreadInfo getThreadName ()Ljava/lang/String; L24: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L27: ldc '" Id=' L29: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L32: aload_0 L33: invokevirtual Method java/lang/management/ThreadInfo getThreadId ()J L36: invokevirtual Method java/lang/StringBuilder append (J)Ljava/lang/StringBuilder; L39: ldc ' in ' L41: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L44: aload_0 L45: invokevirtual Method java/lang/management/ThreadInfo getThreadState ()Ljava/lang/Thread$State; L48: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder; L51: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L54: invokespecial Method java/lang/StringBuilder <init> (Ljava/lang/String;)V L57: astore_2 L58: aload_0 L59: invokevirtual Method java/lang/management/ThreadInfo getLockName ()Ljava/lang/String; L62: ifnull L92 L65: aload_2 L66: new java/lang/StringBuilder L69: dup L70: invokespecial Method java/lang/StringBuilder <init> ()V L73: ldc ' on lock=' L75: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L78: aload_0 L79: invokevirtual Method java/lang/management/ThreadInfo getLockName ()Ljava/lang/String; L82: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L85: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L88: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L91: pop .stack append Object java/lang/StringBuilder L92: aload_0 L93: invokevirtual Method java/lang/management/ThreadInfo isSuspended ()Z L96: ifeq L106 L99: aload_2 L100: ldc ' (suspended)' L102: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L105: pop .stack same L106: aload_0 L107: invokevirtual Method java/lang/management/ThreadInfo isInNative ()Z L110: ifeq L120 L113: aload_2 L114: ldc ' (running in native)' L116: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L119: pop .stack same L120: aload_1 L121: aload_2 L122: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L125: invokevirtual Method java/io/PrintWriter println (Ljava/lang/String;)V L128: aload_0 L129: invokevirtual Method java/lang/management/ThreadInfo getLockOwnerName ()Ljava/lang/String; L132: ifnull L179 L135: aload_1 L136: new java/lang/StringBuilder L139: dup L140: invokespecial Method java/lang/StringBuilder <init> ()V L143: getstatic Field ThreadDumper INDENT Ljava/lang/String; L146: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L149: ldc ' owned by ' L151: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L154: aload_0 L155: invokevirtual Method java/lang/management/ThreadInfo getLockOwnerName ()Ljava/lang/String; L158: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L161: ldc ' Id=' L163: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L166: aload_0 L167: invokevirtual Method java/lang/management/ThreadInfo getLockOwnerId ()J L170: invokevirtual Method java/lang/StringBuilder append (J)Ljava/lang/StringBuilder; L173: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L176: invokevirtual Method java/io/PrintWriter println (Ljava/lang/String;)V .stack same L179: aload_0 L180: invokevirtual Method java/lang/management/ThreadInfo getStackTrace ()[Ljava/lang/StackTraceElement; L183: astore_3 L184: aload_3 L185: arraylength L186: istore 4 L188: iconst_0 L189: istore 5 .stack append Object [Ljava/lang/StackTraceElement; Integer Integer L191: iload 5 L193: iload 4 L195: if_icmpge L243 L198: aload_3 L199: iload 5 L201: aaload L202: astore 6 L204: aload_1 L205: new java/lang/StringBuilder L208: dup L209: invokespecial Method java/lang/StringBuilder <init> ()V L212: getstatic Field ThreadDumper INDENT Ljava/lang/String; L215: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L218: ldc 'at ' L220: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L223: aload 6 L225: invokevirtual Method java/lang/StackTraceElement toString ()Ljava/lang/String; L228: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L231: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L234: invokevirtual Method java/io/PrintWriter println (Ljava/lang/String;)V L237: iinc 5 1 L240: goto L191 .stack chop 3 L243: aload_1 L244: invokevirtual Method java/io/PrintWriter println ()V .stack chop 1 L247: return L248: .linenumbertable L0 76 L4 77 L33 78 L45 79 L58 80 L65 81 L92 83 L99 84 L106 86 L113 87 L120 89 L128 90 L135 91 L167 92 L176 91 L179 94 L204 95 L237 94 L243 97 L247 99 .end linenumbertable .end code .end method .method public static findDeadlock : ()Z .code stack 3 locals 9 L0: invokestatic Method java/lang/management/ManagementFactory getThreadMXBean ()Ljava/lang/management/ThreadMXBean; L3: astore_0 L4: aload_0 L5: invokeinterface InterfaceMethod java/lang/management/ThreadMXBean findMonitorDeadlockedThreads ()[J 1 L10: astore_1 L11: aload_1 L12: ifnonnull L17 L15: iconst_0 L16: ireturn .stack append Object java/lang/management/ThreadMXBean Object [J L17: new java/io/StringWriter L20: dup L21: invokespecial Method java/io/StringWriter <init> ()V L24: astore_2 L25: new java/io/PrintWriter L28: dup L29: aload_2 L30: invokespecial Method java/io/PrintWriter <init> (Ljava/io/Writer;)V L33: astore_3 L34: aload_0 L35: invokeinterface InterfaceMethod java/lang/management/ThreadMXBean getAllThreadIds ()[J 1 L40: astore_1 L41: getstatic Field java/lang/System out Ljava/io/PrintStream; L44: ldc 'Deadlock found :-' L46: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L49: aload_0 L50: aload_1 L51: ldc 2147483647 L53: invokeinterface InterfaceMethod java/lang/management/ThreadMXBean getThreadInfo ([JI)[Ljava/lang/management/ThreadInfo; 3 L58: astore 4 L60: aload 4 L62: astore 5 L64: aload 5 L66: arraylength L67: istore 6 L69: iconst_0 L70: istore 7 .stack full locals Object java/lang/management/ThreadMXBean Object [J Object java/io/StringWriter Object java/io/PrintWriter Object [Ljava/lang/management/ThreadInfo; Object [Ljava/lang/management/ThreadInfo; Integer Integer stack .end stack L72: iload 7 L74: iload 6 L76: if_icmpge L98 L79: aload 5 L81: iload 7 L83: aaload L84: astore 8 L86: aload 8 L88: aload_3 L89: invokestatic Method ThreadDumper printThreadInfo (Ljava/lang/management/ThreadInfo;Ljava/io/PrintWriter;)V L92: iinc 7 1 L95: goto L72 .stack chop 3 L98: aload_3 L99: invokevirtual Method java/io/PrintWriter flush ()V L102: getstatic Field java/lang/System out Ljava/io/PrintStream; L105: aload_2 L106: invokevirtual Method java/io/StringWriter toString ()Ljava/lang/String; L109: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L112: iconst_1 L113: ireturn L114: .linenumbertable L0 106 L4 107 L11 108 L15 109 L17 111 L25 112 L34 114 L41 115 L49 116 L60 117 L86 118 L92 117 L98 120 L102 121 L112 122 .end linenumbertable .end code .end method .method static <clinit> : ()V .code stack 1 locals 0 L0: ldc ' ' L2: putstatic Field ThreadDumper INDENT Ljava/lang/String; L5: return L6: .linenumbertable L0 13 .end linenumbertable .end code .end method .sourcefile 'ThreadDumper.java' .innerclasses java/lang/Thread$State java/lang/Thread State public static final enum .end innerclasses .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 17:09:03 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 ThreadDumper_ESTest extends ThreadDumper_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { boolean boolean0 = ThreadDumper.findDeadlock(); assertFalse(boolean0); } @Test(timeout = 4000) public void test1() throws Throwable { String string0 = ThreadDumper.getThreadInfo(); String string1 = ThreadDumper.getThreadInfo(); // // Unstable assertion: assertTrue(string1.equals((Object)string0)); boolean boolean0 = ThreadDumper.findDeadlock(); // // Unstable assertion: assertFalse(boolean0); } @Test(timeout = 4000) public void test2() throws Throwable { ThreadDumper threadDumper0 = new ThreadDumper((-94091)); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 17:09:03 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 ThreadDumper_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 = "ThreadDumper"; 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/tmproptvokg"); 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(ThreadDumper_ESTest_scaffolding.class.getClassLoader() , "ThreadDumper" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ThreadDumper_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ThreadDumper" ); } }
42
ReflectionUtils
import java.lang.annotation.Annotation; import java.lang.reflect.Method; import java.util.ArrayList; import java.util.Collection; import java.util.List; /** * @author Vladislav Bauer */ @SuppressWarnings("unchecked") public final class ReflectionUtils { public static final String PACKAGE_SEPARATOR = "."; private ReflectionUtils() { throw new UnsupportedOperationException(); } public static <T> Class<T> getClassWithoutProxies(final Object object) { try { // XXX: Use HibernateProxyHelper to un-proxy object and get the original class. return (Class<T>) Class.forName("org.hibernate.proxy.HibernateProxyHelper") .getDeclaredMethod("getClassWithoutInitializingProxy", Object.class) .invoke(null, object); } catch (final Exception ex) { return getClassSafe(object); } } public static <T> Class<T> getClassSafe(final Object object) { return object != null ? (Class<T>) object.getClass() : null; } public static <T> T createObject(final String className) { try { final Class<?> clazz = Class.forName(className); return (T) clazz.newInstance(); } catch (final Throwable ex) { return null; } } public static <T> Collection<T> createObjects(final Collection<String> classNames) { final List<T> objects = new ArrayList<>(); for (final String className : classNames) { final T object = createObject(className); if (object != null) { objects.add(object); } } return objects; } public static Collection<String> classNames( final String packageName, final Collection<String> classNames) { final List<String> result = new ArrayList<>(); for (final String className : classNames) { result.add(packageName + PACKAGE_SEPARATOR + className); } return result; } public static Method findDeclaredMethod( final Class<?> objectClass, final String methodName, final Class<?>[] parameterTypes) { try { return objectClass.getDeclaredMethod(methodName, parameterTypes); } catch (final Throwable ignored) { return null; } } public static <T extends Annotation> T findAnnotationFromMethodOrClass( final Method method, final Class<T> annotationClass) { final T annotation = method.getAnnotation(annotationClass); if (annotation != null) { return annotation; } final Class<?> originClass = method.getDeclaringClass(); return originClass.getAnnotation(annotationClass); } }
.version 52 0 .class public final super ReflectionUtils .super java/lang/Object .field public static final PACKAGE_SEPARATOR Ljava/lang/String; = '.' .method private <init> : ()V .code stack 2 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: new java/lang/UnsupportedOperationException L7: dup L8: invokespecial Method java/lang/UnsupportedOperationException <init> ()V L11: athrow L12: .linenumbertable L0 19 L4 20 .end linenumbertable .end code .end method .method public static getClassWithoutProxies : (Ljava/lang/Object;)Ljava/lang/Class; .code stack 6 locals 2 .catch java/lang/Exception from L0 to L34 using L35 L0: ldc 'org.hibernate.proxy.HibernateProxyHelper' L2: invokestatic Method java/lang/Class forName (Ljava/lang/String;)Ljava/lang/Class; L5: ldc 'getClassWithoutInitializingProxy' L7: iconst_1 L8: anewarray java/lang/Class L11: dup L12: iconst_0 L13: ldc Class java/lang/Object L15: aastore L16: invokevirtual Method java/lang/Class getDeclaredMethod (Ljava/lang/String;[Ljava/lang/Class;)Ljava/lang/reflect/Method; L19: aconst_null L20: iconst_1 L21: anewarray java/lang/Object L24: dup L25: iconst_0 L26: aload_0 L27: aastore L28: invokevirtual Method java/lang/reflect/Method invoke (Ljava/lang/Object;[Ljava/lang/Object;)Ljava/lang/Object; L31: checkcast java/lang/Class L34: areturn .stack stack_1 Object java/lang/Exception L35: astore_1 L36: aload_0 L37: invokestatic Method ReflectionUtils getClassSafe (Ljava/lang/Object;)Ljava/lang/Class; L40: areturn L41: .linenumbertable L0 27 L16 28 L28 29 L34 27 L35 30 L36 31 .end linenumbertable .end code .signature '<T:Ljava/lang/Object;>(Ljava/lang/Object;)Ljava/lang/Class<TT;>;' .end method .method public static getClassSafe : (Ljava/lang/Object;)Ljava/lang/Class; .code stack 1 locals 1 L0: aload_0 L1: ifnull L11 L4: aload_0 L5: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; L8: goto L12 .stack same L11: aconst_null .stack stack_1 Object java/lang/Class L12: areturn L13: .linenumbertable L0 36 .end linenumbertable .end code .signature '<T:Ljava/lang/Object;>(Ljava/lang/Object;)Ljava/lang/Class<TT;>;' .end method .method public static createObject : (Ljava/lang/String;)Ljava/lang/Object; .code stack 1 locals 2 .catch java/lang/Throwable from L0 to L9 using L10 L0: aload_0 L1: invokestatic Method java/lang/Class forName (Ljava/lang/String;)Ljava/lang/Class; L4: astore_1 L5: aload_1 L6: invokevirtual Method java/lang/Class newInstance ()Ljava/lang/Object; L9: areturn .stack stack_1 Object java/lang/Throwable L10: astore_1 L11: aconst_null L12: areturn L13: .linenumbertable L0 41 L5 42 L10 43 L11 44 .end linenumbertable .end code .signature '<T:Ljava/lang/Object;>(Ljava/lang/String;)TT;' .end method .method public static createObjects : (Ljava/util/Collection;)Ljava/util/Collection; .code stack 2 locals 5 L0: new java/util/ArrayList L3: dup L4: invokespecial Method java/util/ArrayList <init> ()V L7: astore_1 L8: aload_0 L9: invokeinterface InterfaceMethod java/util/Collection iterator ()Ljava/util/Iterator; 1 L14: astore_2 .stack append Object java/util/List Object java/util/Iterator L15: aload_2 L16: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 L21: ifeq L57 L24: aload_2 L25: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 L30: checkcast java/lang/String L33: astore_3 L34: aload_3 L35: invokestatic Method ReflectionUtils createObject (Ljava/lang/String;)Ljava/lang/Object; L38: astore 4 L40: aload 4 L42: ifnull L54 L45: aload_1 L46: aload 4 L48: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 L53: pop .stack same L54: goto L15 .stack chop 1 L57: aload_1 L58: areturn L59: .linenumbertable L0 49 L8 50 L34 51 L40 52 L45 53 L54 55 L57 56 .end linenumbertable .end code .signature '<T:Ljava/lang/Object;>(Ljava/util/Collection<Ljava/lang/String;>;)Ljava/util/Collection<TT;>;' .end method .method public static classNames : (Ljava/lang/String;Ljava/util/Collection;)Ljava/util/Collection; .code stack 3 locals 5 L0: new java/util/ArrayList L3: dup L4: invokespecial Method java/util/ArrayList <init> ()V L7: astore_2 L8: aload_1 L9: invokeinterface InterfaceMethod java/util/Collection iterator ()Ljava/util/Iterator; 1 L14: astore_3 .stack append Object java/util/List Object java/util/Iterator L15: aload_3 L16: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 L21: ifeq L69 L24: aload_3 L25: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 L30: checkcast java/lang/String L33: astore 4 L35: aload_2 L36: new java/lang/StringBuilder L39: dup L40: invokespecial Method java/lang/StringBuilder <init> ()V L43: aload_0 L44: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L47: ldc '.' L49: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L52: aload 4 L54: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L57: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L60: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 L65: pop L66: goto L15 .stack chop 1 L69: aload_2 L70: areturn L71: .linenumbertable L0 60 L8 61 L35 62 L66 63 L69 64 .end linenumbertable .end code .signature (Ljava/lang/String;Ljava/util/Collection<Ljava/lang/String;>;)Ljava/util/Collection<Ljava/lang/String;>; .end method .method public static findDeclaredMethod : (Ljava/lang/Class;Ljava/lang/String;[Ljava/lang/Class;)Ljava/lang/reflect/Method; .code stack 3 locals 4 .catch java/lang/Throwable from L0 to L6 using L7 L0: aload_0 L1: aload_1 L2: aload_2 L3: invokevirtual Method java/lang/Class getDeclaredMethod (Ljava/lang/String;[Ljava/lang/Class;)Ljava/lang/reflect/Method; L6: areturn .stack stack_1 Object java/lang/Throwable L7: astore_3 L8: aconst_null L9: areturn L10: .linenumbertable L0 71 L7 72 L8 73 .end linenumbertable .end code .signature (Ljava/lang/Class<*>;Ljava/lang/String;[Ljava/lang/Class<*>;)Ljava/lang/reflect/Method; .end method .method public static findAnnotationFromMethodOrClass : (Ljava/lang/reflect/Method;Ljava/lang/Class;)Ljava/lang/annotation/Annotation; .code stack 2 locals 4 L0: aload_0 L1: aload_1 L2: invokevirtual Method java/lang/reflect/Method getAnnotation (Ljava/lang/Class;)Ljava/lang/annotation/Annotation; L5: astore_2 L6: aload_2 L7: ifnull L12 L10: aload_2 L11: areturn .stack append Object java/lang/annotation/Annotation L12: aload_0 L13: invokevirtual Method java/lang/reflect/Method getDeclaringClass ()Ljava/lang/Class; L16: astore_3 L17: aload_3 L18: aload_1 L19: invokevirtual Method java/lang/Class getAnnotation (Ljava/lang/Class;)Ljava/lang/annotation/Annotation; L22: areturn L23: .linenumbertable L0 80 L6 81 L10 82 L12 85 L17 86 .end linenumbertable .end code .signature '<T::Ljava/lang/annotation/Annotation;>(Ljava/lang/reflect/Method;Ljava/lang/Class<TT;>;)TT;' .end method .sourcefile 'ReflectionUtils.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 00:05:12 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; import java.lang.annotation.Annotation; import java.lang.reflect.Array; import java.lang.reflect.Method; import java.util.Collection; import java.util.LinkedList; import java.util.function.Predicate; 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 ReflectionUtils_ESTest extends ReflectionUtils_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Class<Annotation> class0 = Annotation.class; // Undeclared exception! try { ReflectionUtils.findAnnotationFromMethodOrClass((Method) null, class0); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // verifyException("ReflectionUtils", e); } } @Test(timeout = 4000) public void test1() throws Throwable { Object object0 = ReflectionUtils.createObject("ReflectionUtils"); assertNull(object0); } @Test(timeout = 4000) public void test2() throws Throwable { Class<Annotation> class0 = ReflectionUtils.getClassWithoutProxies((Object) null); assertNull(class0); } @Test(timeout = 4000) public void test3() throws Throwable { Predicate<Object> predicate0 = Predicate.isEqual((Object) null); Class<Integer> class0 = ReflectionUtils.getClassWithoutProxies((Object) predicate0); assertFalse(class0.isInterface()); } @Test(timeout = 4000) public void test4() throws Throwable { Object object0 = new Object(); Class<Object> class0 = ReflectionUtils.getClassSafe(object0); assertFalse(class0.isInterface()); } @Test(timeout = 4000) public void test5() throws Throwable { LinkedList<String> linkedList0 = new LinkedList<String>(); linkedList0.add((String) null); Collection<String> collection0 = ReflectionUtils.classNames("", linkedList0); assertFalse(collection0.contains("")); } @Test(timeout = 4000) public void test6() throws Throwable { LinkedList<String> linkedList0 = new LinkedList<String>(); linkedList0.add((String) null); Collection<Integer> collection0 = ReflectionUtils.createObjects((Collection<String>) linkedList0); assertNotNull(collection0); } @Test(timeout = 4000) public void test7() throws Throwable { Class<String> class0 = ReflectionUtils.getClassSafe((Object) null); assertNull(class0); } @Test(timeout = 4000) public void test8() throws Throwable { Class<String> class0 = ReflectionUtils.getClassWithoutProxies((Object) ""); Class<Object>[] classArray0 = (Class<Object>[]) Array.newInstance(Class.class, 5); Method method0 = ReflectionUtils.findDeclaredMethod(class0, "", classArray0); assertNull(method0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 00:05:12 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 ReflectionUtils_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 = "ReflectionUtils"; 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/tmp1d20ccon"); 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(ReflectionUtils_ESTest_scaffolding.class.getClassLoader() , "ReflectionUtils" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ReflectionUtils_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ReflectionUtils" ); } }
43
SOAPException
/* * Copyright (c) 1998-2011 Caucho Technology -- all rights reserved * * This file is part of Resin(R) Open Source * * Each copy or derived work must preserve the copyright notice and this * notice unmodified. * * Resin Open Source 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 2 of the License, or * (at your option) any later version. * * Resin Open Source 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, or any warranty * of NON-INFRINGEMENT. See the GNU General Public License for more * details. * * You should have received a copy of the GNU General Public License * along with Resin Open Source; if not, write to the * * Free Software Foundation, Inc. * 59 Temple Place, Suite 330 * Boston, MA 02111-1307 USA * * @author Scott Ferguson */ public class SOAPException extends Exception { // for some reason, this is overridden according to the javadocs // XXX remove? private Throwable _cause; public SOAPException() { super(); } public SOAPException(String reason) { super(reason); } public SOAPException(String reason, Throwable cause) { super(reason); _cause = cause; } public SOAPException(Throwable cause) { super(); _cause = cause; } public Throwable getCause() { return _cause; } public Throwable initCause(Throwable cause) { _cause = cause; return this; } }
.version 52 0 .class public super SOAPException .super java/lang/Exception .field private _cause Ljava/lang/Throwable; .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 39 L4 40 .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 44 L5 45 .end linenumbertable .end code .end method .method public <init> : (Ljava/lang/String;Ljava/lang/Throwable;)V .code stack 2 locals 3 L0: aload_0 L1: aload_1 L2: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V L5: aload_0 L6: aload_2 L7: putfield Field SOAPException _cause Ljava/lang/Throwable; L10: return L11: .linenumbertable L0 49 L5 51 L10 52 .end linenumbertable .end code .end method .method public <init> : (Ljava/lang/Throwable;)V .code stack 2 locals 2 L0: aload_0 L1: invokespecial Method java/lang/Exception <init> ()V L4: aload_0 L5: aload_1 L6: putfield Field SOAPException _cause Ljava/lang/Throwable; L9: return L10: .linenumbertable L0 56 L4 58 L9 59 .end linenumbertable .end code .end method .method public getCause : ()Ljava/lang/Throwable; .code stack 1 locals 1 L0: aload_0 L1: getfield Field SOAPException _cause Ljava/lang/Throwable; L4: areturn L5: .linenumbertable L0 63 .end linenumbertable .end code .end method .method public initCause : (Ljava/lang/Throwable;)Ljava/lang/Throwable; .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field SOAPException _cause Ljava/lang/Throwable; L5: aload_0 L6: areturn L7: .linenumbertable L0 68 L5 70 .end linenumbertable .end code .end method .sourcefile 'SOAPException.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 06:03:23 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.lang.MockThrowable; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class SOAPException_ESTest extends SOAPException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { MockThrowable mockThrowable0 = new MockThrowable((String) null); SOAPException sOAPException0 = new SOAPException(mockThrowable0); Throwable throwable0 = sOAPException0.getCause(); assertSame(throwable0, mockThrowable0); } @Test(timeout = 4000) public void test1() throws Throwable { SOAPException sOAPException0 = new SOAPException((String) null); SOAPException sOAPException1 = new SOAPException((String) null, sOAPException0); assertFalse(sOAPException1.equals((Object)sOAPException0)); } @Test(timeout = 4000) public void test2() throws Throwable { SOAPException sOAPException0 = new SOAPException(); Throwable throwable0 = sOAPException0.initCause(sOAPException0); assertSame(sOAPException0, throwable0); } @Test(timeout = 4000) public void test3() throws Throwable { SOAPException sOAPException0 = new SOAPException((String) null); Throwable throwable0 = sOAPException0.getCause(); assertNull(throwable0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 06:03:23 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 SOAPException_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 = "SOAPException"; 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/tmptzo2xc5s"); 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(SOAPException_ESTest_scaffolding.class.getClassLoader() , "SOAPException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SOAPException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "SOAPException" ); } }
44
IndentationHelper
/*- * #%L * OpenFastTrace * %% * Copyright (C) 2016 - 2018 itsallcode.org * %% * 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/gpl-3.0.html>. * #L% */ /** Contains static helper methods for indentation. */ public final class IndentationHelper { private static final int INDENT_SPACES_PER_LEVEL = 2; private IndentationHelper() { // prevent instantiation. } /** * Create indentation prefix (i.e. white spaces) * * @param level indentation level * @return <code>level</code> white spaces */ public static String createIndentationPrefix(final int level) { return new String(new char[level * INDENT_SPACES_PER_LEVEL]).replace("\0", " "); } }
.version 52 0 .class public final super IndentationHelper .super java/lang/Object .field private static final INDENT_SPACES_PER_LEVEL I = 2 .method private <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 33 L4 35 .end linenumbertable .end code .end method .method public static createIndentationPrefix : (I)Ljava/lang/String; .code stack 4 locals 1 L0: new java/lang/String L3: dup L4: iload_0 L5: iconst_2 L6: imul L7: newarray char L9: invokespecial Method java/lang/String <init> ([C)V L12: ldc '\x00' L14: ldc ' ' L16: invokevirtual Method java/lang/String replace (Ljava/lang/CharSequence;Ljava/lang/CharSequence;)Ljava/lang/String; L19: areturn L20: .linenumbertable L0 46 .end linenumbertable .end code .end method .sourcefile 'IndentationHelper.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 13:23:35 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 IndentationHelper_ESTest extends IndentationHelper_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { String string0 = IndentationHelper.createIndentationPrefix(39985); assertNotNull(string0); } @Test(timeout = 4000) public void test1() throws Throwable { String string0 = IndentationHelper.createIndentationPrefix(0); assertEquals("", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 13:23:35 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 IndentationHelper_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 = "IndentationHelper"; 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/tmpmdsjzbhb"); 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(IndentationHelper_ESTest_scaffolding.class.getClassLoader() , "IndentationHelper" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(IndentationHelper_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "IndentationHelper" ); } }
45
MappingParseException
/******************************************************************************* * Copyright (c) 2015 Jeff Martin. * All rights reserved. This program and the accompanying materials * are made available under the terms of the GNU Lesser General Public * License v3.0 which accompanies this distribution, and is available at * http://www.gnu.org/licenses/lgpl.html * * Contributors: * Jeff Martin - initial API and implementation ******************************************************************************/ public class MappingParseException extends Exception { private static final long serialVersionUID = -5487280332892507236L; private int m_line; private String m_message; public MappingParseException(int line, String message) { m_line = line; m_message = message; } @Override public String getMessage() { return "Line " + m_line + ": " + m_message; } }
.version 52 0 .class public super MappingParseException .super java/lang/Exception .field private static final serialVersionUID J = -5487280332892507236L .field private m_line I .field private m_message Ljava/lang/String; .method public <init> : (ILjava/lang/String;)V .code stack 2 locals 3 L0: aload_0 L1: invokespecial Method java/lang/Exception <init> ()V L4: aload_0 L5: iload_1 L6: putfield Field MappingParseException m_line I L9: aload_0 L10: aload_2 L11: putfield Field MappingParseException m_message Ljava/lang/String; L14: return L15: .linenumbertable L0 22 L4 23 L9 24 L14 25 .end linenumbertable .end code .end method .method public getMessage : ()Ljava/lang/String; .code stack 2 locals 1 L0: new java/lang/StringBuilder L3: dup L4: invokespecial Method java/lang/StringBuilder <init> ()V L7: ldc 'Line ' L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L12: aload_0 L13: getfield Field MappingParseException m_line I L16: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L19: ldc ': ' L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L24: aload_0 L25: getfield Field MappingParseException m_message Ljava/lang/String; L28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L31: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L34: areturn L35: .linenumbertable L0 30 .end linenumbertable .end code .end method .sourcefile 'MappingParseException.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 05:44:23 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 MappingParseException_ESTest extends MappingParseException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { MappingParseException mappingParseException0 = new MappingParseException((-29101), "="); String string0 = mappingParseException0.getMessage(); assertEquals("Line -29101: =", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 05:44:23 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 MappingParseException_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 = "MappingParseException"; 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/tmp4bjvba_b"); 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(MappingParseException_ESTest_scaffolding.class.getClassLoader() , "MappingParseException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MappingParseException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "MappingParseException" ); } }
46
HookWriter
/******************************************************************************* * Copyright (c) 2015 Contributors. * All rights reserved. This program and the accompanying materials are made available under * the terms of the GNU Lesser General Public * License v3.0 which accompanies this distribution, and is available at * http://www.gnu.org/licenses/lgpl.html ******************************************************************************/ public class HookWriter {}
.version 52 0 .class public super HookWriter .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 .sourcefile 'HookWriter.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 22:31:29 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 HookWriter_ESTest extends HookWriter_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { HookWriter hookWriter0 = new HookWriter(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 22:31:29 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 HookWriter_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 = "HookWriter"; 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/tmp8pl0wtmr"); 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(HookWriter_ESTest_scaffolding.class.getClassLoader() , "HookWriter" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(HookWriter_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "HookWriter" ); } }
47
UsingArrayListRemove
import java.util.ArrayList; import java.util.List; /** Created by Hector Huby on 05/12/2016. */ public class UsingArrayListRemove { public static void main(String[] args) { List<String> birds = new ArrayList<>(); birds.add("hawk"); birds.add("hawk"); System.out.println(birds.remove("cardinal")); System.out.println(birds.remove("hawk")); System.out.println(birds.remove(0)); System.out.println(birds); } }
.version 52 0 .class public super UsingArrayListRemove .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 9 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 3 locals 2 L0: new java/util/ArrayList L3: dup L4: invokespecial Method java/util/ArrayList <init> ()V L7: astore_1 L8: aload_1 L9: ldc 'hawk' L11: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 L16: pop L17: aload_1 L18: ldc 'hawk' L20: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 L25: pop L26: getstatic Field java/lang/System out Ljava/io/PrintStream; L29: aload_1 L30: ldc 'cardinal' L32: invokeinterface InterfaceMethod java/util/List remove (Ljava/lang/Object;)Z 2 L37: invokevirtual Method java/io/PrintStream println (Z)V L40: getstatic Field java/lang/System out Ljava/io/PrintStream; L43: aload_1 L44: ldc 'hawk' L46: invokeinterface InterfaceMethod java/util/List remove (Ljava/lang/Object;)Z 2 L51: invokevirtual Method java/io/PrintStream println (Z)V L54: getstatic Field java/lang/System out Ljava/io/PrintStream; L57: aload_1 L58: iconst_0 L59: invokeinterface InterfaceMethod java/util/List remove (I)Ljava/lang/Object; 2 L64: checkcast java/lang/String L67: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L70: getstatic Field java/lang/System out Ljava/io/PrintStream; L73: aload_1 L74: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V L77: return L78: .linenumbertable L0 11 L8 12 L17 13 L26 14 L40 15 L54 16 L70 17 L77 18 .end linenumbertable .end code .end method .sourcefile 'UsingArrayListRemove.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 21:01:43 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 UsingArrayListRemove_ESTest extends UsingArrayListRemove_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { String[] stringArray0 = new String[0]; UsingArrayListRemove.main(stringArray0); assertEquals(0, stringArray0.length); } @Test(timeout = 4000) public void test1() throws Throwable { UsingArrayListRemove usingArrayListRemove0 = new UsingArrayListRemove(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 21:01: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 UsingArrayListRemove_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 = "UsingArrayListRemove"; 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/tmpnf4dy9jm"); 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(UsingArrayListRemove_ESTest_scaffolding.class.getClassLoader() , "UsingArrayListRemove" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UsingArrayListRemove_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "UsingArrayListRemove" ); } }
48
BleNotAvailableException
public class BleNotAvailableException extends RuntimeException { private static final long serialVersionUID = -8532603161001803466L; public BleNotAvailableException(String message) { super(message); } }
.version 52 0 .class public super BleNotAvailableException .super java/lang/RuntimeException .field private static final serialVersionUID J = -8532603161001803466L .method public <init> : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V L5: return L6: .linenumbertable L0 8 L5 9 .end linenumbertable .end code .end method .sourcefile 'BleNotAvailableException.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 18:39:22 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 BleNotAvailableException_ESTest extends BleNotAvailableException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { BleNotAvailableException bleNotAvailableException0 = new BleNotAvailableException(""); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 18:39:22 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 BleNotAvailableException_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 = "BleNotAvailableException"; 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/tmpku4s0l23"); 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(BleNotAvailableException_ESTest_scaffolding.class.getClassLoader() , "BleNotAvailableException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BleNotAvailableException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "BleNotAvailableException" ); } }
49
SampleProc
import java.util.Scanner; public class SampleProc { public static void main(String[] args) { SampleProc sp = new SampleProc(); Scanner sc = new Scanner(System.in); int a = sc.nextInt(); int b = sc.nextInt(); int sum = sp.m1(a, b); System.out.println(sum); } public int m1(int a, int b) { int sum = 0; sum = a + b; return sum; } }
.version 52 0 .class public super SampleProc .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 5 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 3 locals 6 L0: new SampleProc L3: dup L4: invokespecial Method SampleProc <init> ()V L7: astore_1 L8: new java/util/Scanner L11: dup L12: getstatic Field java/lang/System in Ljava/io/InputStream; L15: invokespecial Method java/util/Scanner <init> (Ljava/io/InputStream;)V L18: astore_2 L19: aload_2 L20: invokevirtual Method java/util/Scanner nextInt ()I L23: istore_3 L24: aload_2 L25: invokevirtual Method java/util/Scanner nextInt ()I L28: istore 4 L30: aload_1 L31: iload_3 L32: iload 4 L34: invokevirtual Method SampleProc m1 (II)I L37: istore 5 L39: getstatic Field java/lang/System out Ljava/io/PrintStream; L42: iload 5 L44: invokevirtual Method java/io/PrintStream println (I)V L47: return L48: .linenumbertable L0 11 L8 13 L19 14 L24 15 L30 16 L39 17 L47 18 .end linenumbertable .end code .end method .method public m1 : (II)I .code stack 2 locals 4 L0: iconst_0 L1: istore_3 L2: iload_1 L3: iload_2 L4: iadd L5: istore_3 L6: iload_3 L7: ireturn L8: .linenumbertable L0 22 L2 23 L6 24 .end linenumbertable .end code .end method .sourcefile 'SampleProc.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 15:54:53 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; import java.util.InputMismatchException; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.evosuite.runtime.util.SystemInUtil; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class SampleProc_ESTest extends SampleProc_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { SystemInUtil.addInputLine("4 hrC;K+}E2F:!}\"\"NY"); // Undeclared exception! try { SampleProc.main((String[]) null); fail("Expecting exception: InputMismatchException"); } catch(InputMismatchException e) { // // no message in exception (getMessage() returned null) // verifyException("java.util.Scanner", e); } } @Test(timeout = 4000) public void test1() throws Throwable { SampleProc sampleProc0 = new SampleProc(); int int0 = sampleProc0.m1(0, 0); assertEquals(0, int0); } @Test(timeout = 4000) public void test2() throws Throwable { SampleProc sampleProc0 = new SampleProc(); int int0 = sampleProc0.m1(13633, 13633); assertEquals(27266, int0); } @Test(timeout = 4000) public void test3() throws Throwable { SampleProc sampleProc0 = new SampleProc(); int int0 = sampleProc0.m1((-33222), (-33222)); assertEquals((-66444), int0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 15:54:53 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 SampleProc_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 = "SampleProc"; 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(); org.evosuite.runtime.util.SystemInUtil.getInstance().initForTestCase(); } @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/tmpb0e4yakd"); 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(SampleProc_ESTest_scaffolding.class.getClassLoader() , "SampleProc" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SampleProc_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "SampleProc" ); } }
50
MemberTreeNode
/******************************************************************************* * Copyright (c) 2004, 2009 Actuate Corporation. * All rights reserved. This program and the accompanying materials * are made available under the terms of the Eclipse Public License v1.0 * which accompanies this distribution, and is available at * http://www.eclipse.org/legal/epl-v10.html * * Contributors: * Actuate Corporation - initial API and implementation *******************************************************************************/ import java.util.ArrayList; import java.util.Arrays; import java.util.List; /** */ class MemberTreeNode { List<MemberTreeNode> childNodesList; Object key; MemberTreeNode parentNode; MemberTreeNode(Object key) { this.childNodesList = new ArrayList<MemberTreeNode>(); this.key = key; } void insertNode(MemberTreeNode node) { childNodesList.add(node); } void addAllNodes(MemberTreeNode[] nodes) { List nodesList = Arrays.asList(nodes); childNodesList.addAll(nodesList); for (int i = 0; i < nodesList.size(); i++) { ((MemberTreeNode) nodesList.get(i)).parentNode = this; } } MemberTreeNode getChild(Object childKey) { for (int i = 0; i < this.childNodesList.size(); i++) { MemberTreeNode node = (MemberTreeNode) childNodesList.get(i); if (node.key.equals(childKey)) { return node; } } return null; } boolean containsChild(Object childKey) { for (int i = 0; i < this.childNodesList.size(); i++) { MemberTreeNode node = (MemberTreeNode) childNodesList.get(i); if (node.key.equals(childKey)) { return true; } } return false; } }
.version 52 0 .class super MemberTreeNode .super java/lang/Object .field childNodesList Ljava/util/List; .fieldattributes .signature Ljava/util/List<LMemberTreeNode;>; .end fieldattributes .field key Ljava/lang/Object; .field parentNode LMemberTreeNode; .method <init> : (Ljava/lang/Object;)V .code stack 3 locals 2 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: new java/util/ArrayList L8: dup L9: invokespecial Method java/util/ArrayList <init> ()V L12: putfield Field MemberTreeNode childNodesList Ljava/util/List; L15: aload_0 L16: aload_1 L17: putfield Field MemberTreeNode key Ljava/lang/Object; L20: return L21: .linenumbertable L0 29 L4 30 L15 31 L20 32 .end linenumbertable .end code .end method .method insertNode : (LMemberTreeNode;)V .code stack 2 locals 2 L0: aload_0 L1: getfield Field MemberTreeNode childNodesList Ljava/util/List; L4: aload_1 L5: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 L10: pop L11: return L12: .linenumbertable L0 36 L11 37 .end linenumbertable .end code .end method .method addAllNodes : ([LMemberTreeNode;)V .code stack 2 locals 4 L0: aload_1 L1: invokestatic Method java/util/Arrays asList ([Ljava/lang/Object;)Ljava/util/List; L4: astore_2 L5: aload_0 L6: getfield Field MemberTreeNode childNodesList Ljava/util/List; L9: aload_2 L10: invokeinterface InterfaceMethod java/util/List addAll (Ljava/util/Collection;)Z 2 L15: pop L16: iconst_0 L17: istore_3 .stack append Object java/util/List Integer L18: iload_3 L19: aload_2 L20: invokeinterface InterfaceMethod java/util/List size ()I 1 L25: if_icmpge L48 L28: aload_2 L29: iload_3 L30: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2 L35: checkcast MemberTreeNode L38: aload_0 L39: putfield Field MemberTreeNode parentNode LMemberTreeNode; L42: iinc 3 1 L45: goto L18 .stack chop 1 L48: return L49: .linenumbertable L0 41 L5 42 L16 43 L28 45 L42 43 L48 47 .end linenumbertable .end code .end method .method getChild : (Ljava/lang/Object;)LMemberTreeNode; .code stack 2 locals 4 L0: iconst_0 L1: istore_2 .stack append Integer L2: iload_2 L3: aload_0 L4: getfield Field MemberTreeNode childNodesList Ljava/util/List; L7: invokeinterface InterfaceMethod java/util/List size ()I 1 L12: if_icmpge L48 L15: aload_0 L16: getfield Field MemberTreeNode childNodesList Ljava/util/List; L19: iload_2 L20: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2 L25: checkcast MemberTreeNode L28: astore_3 L29: aload_3 L30: getfield Field MemberTreeNode key Ljava/lang/Object; L33: aload_1 L34: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z L37: ifeq L42 L40: aload_3 L41: areturn .stack same L42: iinc 2 1 L45: goto L2 .stack chop 1 L48: aconst_null L49: areturn L50: .linenumbertable L0 51 L15 53 L29 54 L40 56 L42 51 L48 59 .end linenumbertable .end code .end method .method containsChild : (Ljava/lang/Object;)Z .code stack 2 locals 4 L0: iconst_0 L1: istore_2 .stack append Integer L2: iload_2 L3: aload_0 L4: getfield Field MemberTreeNode childNodesList Ljava/util/List; L7: invokeinterface InterfaceMethod java/util/List size ()I 1 L12: if_icmpge L48 L15: aload_0 L16: getfield Field MemberTreeNode childNodesList Ljava/util/List; L19: iload_2 L20: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2 L25: checkcast MemberTreeNode L28: astore_3 L29: aload_3 L30: getfield Field MemberTreeNode key Ljava/lang/Object; L33: aload_1 L34: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z L37: ifeq L42 L40: iconst_1 L41: ireturn .stack same L42: iinc 2 1 L45: goto L2 .stack chop 1 L48: iconst_0 L49: ireturn L50: .linenumbertable L0 64 L15 66 L29 67 L40 69 L42 64 L48 72 .end linenumbertable .end code .end method .sourcefile 'MemberTreeNode.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 09:12:55 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 MemberTreeNode_ESTest extends MemberTreeNode_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { MemberTreeNode memberTreeNode0 = new MemberTreeNode((Object) null); Object object0 = new Object(); MemberTreeNode[] memberTreeNodeArray0 = new MemberTreeNode[2]; memberTreeNodeArray0[0] = memberTreeNode0; memberTreeNodeArray0[1] = memberTreeNode0; memberTreeNodeArray0[1].key = (Object) memberTreeNodeArray0[1]; memberTreeNode0.containsChild(object0); memberTreeNodeArray0[0].insertNode(memberTreeNode0); memberTreeNode0.addAllNodes(memberTreeNodeArray0); memberTreeNode0.containsChild(memberTreeNodeArray0[0]); memberTreeNode0.containsChild(memberTreeNode0); MemberTreeNode memberTreeNode1 = new MemberTreeNode(memberTreeNodeArray0[1]); MemberTreeNode memberTreeNode2 = memberTreeNode0.getChild(memberTreeNodeArray0[1]); assertFalse(memberTreeNode2.equals((Object)memberTreeNode1)); } @Test(timeout = 4000) public void test1() throws Throwable { MemberTreeNode memberTreeNode0 = new MemberTreeNode((Object) null); Object object0 = new Object(); memberTreeNode0.key = object0; MemberTreeNode[] memberTreeNodeArray0 = new MemberTreeNode[2]; memberTreeNodeArray0[0] = memberTreeNode0; memberTreeNodeArray0[1] = memberTreeNode0; memberTreeNode0.addAllNodes(memberTreeNodeArray0); MemberTreeNode memberTreeNode1 = new MemberTreeNode(memberTreeNode0); memberTreeNode0.addAllNodes(memberTreeNodeArray0); Object object1 = new Object(); memberTreeNode0.containsChild(object1); memberTreeNode1.parentNode = memberTreeNode0; memberTreeNode1.parentNode.key = (Object) memberTreeNode0; memberTreeNode1.insertNode(memberTreeNode0); memberTreeNode0.addAllNodes(memberTreeNodeArray0); memberTreeNode0.containsChild(memberTreeNode0); MemberTreeNode memberTreeNode2 = new MemberTreeNode(memberTreeNode1); MemberTreeNode memberTreeNode3 = memberTreeNode0.getChild(memberTreeNode1); assertNull(memberTreeNode3); } @Test(timeout = 4000) public void test2() throws Throwable { Object object0 = new Object(); MemberTreeNode memberTreeNode0 = new MemberTreeNode(object0); MemberTreeNode[] memberTreeNodeArray0 = new MemberTreeNode[1]; memberTreeNodeArray0[0] = memberTreeNode0; memberTreeNode0.addAllNodes(memberTreeNodeArray0); boolean boolean0 = memberTreeNode0.containsChild(""); assertFalse(boolean0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 09:12:55 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 MemberTreeNode_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 = "MemberTreeNode"; 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/tmp8xygn0hg"); 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(MemberTreeNode_ESTest_scaffolding.class.getClassLoader() , "MemberTreeNode" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MemberTreeNode_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "MemberTreeNode" ); } }
51
PropertyStoreException
/****************************************************************************** * Copyright (c) 2013-2014, AllSeen Alliance. All rights reserved. * * Permission to use, copy, modify, and/or distribute this software for any * purpose with or without fee is hereby granted, provided that the above * copyright notice and this permission notice appear in all copies. * * THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES * WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF * MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR * ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES * WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN * ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF * OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. ******************************************************************************/ /** * An exception that is thrown by the PropertyStore when illegal arguments are given in set/get * methods. * * @see PropertyStore */ public class PropertyStoreException extends Exception { private static final long serialVersionUID = -8488311339426012157L; /** The given key is not supported */ public static final int UNSUPPORTED_KEY = 0; /** The given language is not supported */ public static final int UNSUPPORTED_LANGUAGE = 1; /** Trying to set a read-only field */ public static final int ILLEGAL_ACCESS = 2; /** Trying to set a field to an invalid */ public static final int INVALID_VALUE = 3; private int m_reason; public PropertyStoreException(int reason) { m_reason = reason; } /** * The reason for failure * * @return reason for failure */ public int getReason() { return m_reason; } }
.version 52 0 .class public super PropertyStoreException .super java/lang/Exception .field private static final serialVersionUID J = -8488311339426012157L .field public static final UNSUPPORTED_KEY I = 0 .field public static final UNSUPPORTED_LANGUAGE I = 1 .field public static final ILLEGAL_ACCESS I = 2 .field public static final INVALID_VALUE I = 3 .field private m_reason I .method public <init> : (I)V .code stack 2 locals 2 L0: aload_0 L1: invokespecial Method java/lang/Exception <init> ()V L4: aload_0 L5: iload_1 L6: putfield Field PropertyStoreException m_reason I L9: return L10: .linenumbertable L0 49 L4 50 L9 51 .end linenumbertable .end code .end method .method public getReason : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field PropertyStoreException m_reason I L4: ireturn L5: .linenumbertable L0 59 .end linenumbertable .end code .end method .sourcefile 'PropertyStoreException.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 21:33:14 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 PropertyStoreException_ESTest extends PropertyStoreException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { PropertyStoreException propertyStoreException0 = new PropertyStoreException(43348); int int0 = propertyStoreException0.getReason(); assertEquals(43348, int0); } @Test(timeout = 4000) public void test1() throws Throwable { PropertyStoreException propertyStoreException0 = new PropertyStoreException((-53514)); int int0 = propertyStoreException0.getReason(); assertEquals((-53514), int0); } @Test(timeout = 4000) public void test2() throws Throwable { PropertyStoreException propertyStoreException0 = new PropertyStoreException(0); int int0 = propertyStoreException0.getReason(); assertEquals(0, int0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 21:33:14 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 PropertyStoreException_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 = "PropertyStoreException"; 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/tmpj299_fi3"); 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(PropertyStoreException_ESTest_scaffolding.class.getClassLoader() , "PropertyStoreException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PropertyStoreException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "PropertyStoreException" ); } }
52
CarPark
public class CarPark { private int id; private String name; private int capacity; private String administrator; public CarPark(int id, String name, int capacity, String administrator) { this.id = id; this.name = name; this.capacity = capacity; this.administrator = administrator; } public String getName() { return name; } public void setName(String name) { this.name = name; } public int getId() { return id; } public void setId(int id) { this.id = id; } public int getCapacity() { return capacity; } public void setCapacity(int capacity) { this.capacity = capacity; } public String getAdministrator() { return administrator; } public void setAdministrator(String administrator) { this.administrator = administrator; } }
.version 52 0 .class public super CarPark .super java/lang/Object .field private id I .field private name Ljava/lang/String; .field private capacity I .field private administrator Ljava/lang/String; .method public <init> : (ILjava/lang/String;ILjava/lang/String;)V .code stack 2 locals 5 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: iload_1 L6: putfield Field CarPark id I L9: aload_0 L10: aload_2 L11: putfield Field CarPark name Ljava/lang/String; L14: aload_0 L15: iload_3 L16: putfield Field CarPark capacity I L19: aload_0 L20: aload 4 L22: putfield Field CarPark administrator Ljava/lang/String; L25: return L26: .linenumbertable L0 12 L4 13 L9 14 L14 15 L19 16 L25 17 .end linenumbertable .end code .end method .method public getName : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field CarPark 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 CarPark name Ljava/lang/String; L5: return L6: .linenumbertable L0 24 L5 25 .end linenumbertable .end code .end method .method public getId : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field CarPark id I L4: ireturn L5: .linenumbertable L0 28 .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 CarPark id I L5: return L6: .linenumbertable L0 32 L5 33 .end linenumbertable .end code .end method .method public getCapacity : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field CarPark capacity I L4: ireturn L5: .linenumbertable L0 36 .end linenumbertable .end code .end method .method public setCapacity : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field CarPark capacity I L5: return L6: .linenumbertable L0 40 L5 41 .end linenumbertable .end code .end method .method public getAdministrator : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field CarPark administrator Ljava/lang/String; L4: areturn L5: .linenumbertable L0 44 .end linenumbertable .end code .end method .method public setAdministrator : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field CarPark administrator Ljava/lang/String; L5: return L6: .linenumbertable L0 48 L5 49 .end linenumbertable .end code .end method .sourcefile 'CarPark.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 00:58:12 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 CarPark_ESTest extends CarPark_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { CarPark carPark0 = new CarPark((-41704), (String) null, (-41704), (String) null); carPark0.getName(); assertEquals((-41704), carPark0.getId()); assertEquals((-41704), carPark0.getCapacity()); } @Test(timeout = 4000) public void test01() throws Throwable { CarPark carPark0 = new CarPark(0, "SX&^ym", 0, "SX&^ym"); int int0 = carPark0.getId(); assertEquals(0, carPark0.getCapacity()); assertEquals(0, int0); } @Test(timeout = 4000) public void test02() throws Throwable { CarPark carPark0 = new CarPark(1, "eC@|shX@a%(qessHfE5", 1, ""); int int0 = carPark0.getId(); assertEquals(1, int0); assertEquals(1, carPark0.getCapacity()); } @Test(timeout = 4000) public void test03() throws Throwable { CarPark carPark0 = new CarPark(1, "x4o", 0, "x4o"); int int0 = carPark0.getCapacity(); assertEquals(1, carPark0.getId()); assertEquals(0, int0); } @Test(timeout = 4000) public void test04() throws Throwable { CarPark carPark0 = new CarPark((-69383), "rQ,b' hJuH8H4g", (-6916), ""); carPark0.setCapacity(39009); int int0 = carPark0.getCapacity(); assertEquals(39009, int0); } @Test(timeout = 4000) public void test05() throws Throwable { CarPark carPark0 = new CarPark(24361, "c6g7NOl)Z77", 24361, (String) null); carPark0.getAdministrator(); assertEquals(24361, carPark0.getId()); assertEquals(24361, carPark0.getCapacity()); } @Test(timeout = 4000) public void test06() throws Throwable { CarPark carPark0 = new CarPark(15344, "#ol|u", 15344, "#ol|u"); carPark0.getAdministrator(); assertEquals(15344, carPark0.getCapacity()); assertEquals(15344, carPark0.getId()); } @Test(timeout = 4000) public void test07() throws Throwable { CarPark carPark0 = new CarPark((-69383), "rQ,b' hJuH8H4g", (-6916), ""); carPark0.setAdministrator(""); assertEquals((-6916), carPark0.getCapacity()); assertEquals((-69383), carPark0.getId()); } @Test(timeout = 4000) public void test08() throws Throwable { CarPark carPark0 = new CarPark((-69383), "rQ,b' hJuH8H4g", (-6916), ""); carPark0.setId((-6916)); assertEquals((-6916), carPark0.getId()); } @Test(timeout = 4000) public void test09() throws Throwable { CarPark carPark0 = new CarPark((-69383), "rQ,b' hJuH8H4g", (-6916), ""); carPark0.getName(); assertEquals((-6916), carPark0.getCapacity()); assertEquals((-69383), carPark0.getId()); } @Test(timeout = 4000) public void test10() throws Throwable { CarPark carPark0 = new CarPark((-69383), "rQ,b' hJuH8H4g", (-6916), ""); int int0 = carPark0.getCapacity(); assertEquals((-69383), carPark0.getId()); assertEquals((-6916), int0); } @Test(timeout = 4000) public void test11() throws Throwable { CarPark carPark0 = new CarPark((-69383), "rQ,b' hJuH8H4g", (-6916), ""); int int0 = carPark0.getId(); assertEquals((-6916), carPark0.getCapacity()); assertEquals((-69383), int0); } @Test(timeout = 4000) public void test12() throws Throwable { CarPark carPark0 = new CarPark((-69383), "rQ,b' hJuH8H4g", (-6916), ""); carPark0.getAdministrator(); assertEquals((-6916), carPark0.getCapacity()); assertEquals((-69383), carPark0.getId()); } @Test(timeout = 4000) public void test13() throws Throwable { CarPark carPark0 = new CarPark((-69383), "rQ,b' hJuH8H4g", (-6916), ""); carPark0.setName(""); carPark0.getName(); assertEquals((-69383), carPark0.getId()); assertEquals((-6916), carPark0.getCapacity()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 00:58:12 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 CarPark_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 = "CarPark"; 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/tmpfuwkvypz"); 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(CarPark_ESTest_scaffolding.class.getClassLoader() , "CarPark" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CarPark_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "CarPark" ); } }
53
DispatchRequest
/** * Copyright (C) 2010-2013 Alibaba Group Holding Limited * * <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. */ /** * 分发消息位置信息到逻辑队列和索引服务 * * @author shijia.wxr<[email protected]> * @since 2013-7-21 */ public class DispatchRequest { private final String topic; private final int queueId; private final long commitLogOffset; private final int msgSize; private final long tagsCode; private final long storeTimestamp; private final long consumeQueueOffset; private final String keys; /** 事务相关部分 */ private final int sysFlag; private final long preparedTransactionOffset; public DispatchRequest( // final String topic, // 1 final int queueId, // 2 final long commitLogOffset, // 3 final int msgSize, // 4 final long tagsCode, // 5 final long storeTimestamp, // 6 final long consumeQueueOffset, // 7 final String keys, // 8 /** 事务相关部分 */ final int sysFlag, // 9 final long preparedTransactionOffset // 10 ) { this.topic = topic; this.queueId = queueId; this.commitLogOffset = commitLogOffset; this.msgSize = msgSize; this.tagsCode = tagsCode; this.storeTimestamp = storeTimestamp; this.consumeQueueOffset = consumeQueueOffset; this.keys = keys; /** 事务相关部分 */ this.sysFlag = sysFlag; this.preparedTransactionOffset = preparedTransactionOffset; } public DispatchRequest(int size) { // 1 this.topic = ""; // 2 this.queueId = 0; // 3 this.commitLogOffset = 0; // 4 this.msgSize = size; // 5 this.tagsCode = 0; // 6 this.storeTimestamp = 0; // 7 this.consumeQueueOffset = 0; // 8 this.keys = ""; /** 事务相关部分 */ this.sysFlag = 0; this.preparedTransactionOffset = 0; } public String getTopic() { return topic; } public int getQueueId() { return queueId; } public long getCommitLogOffset() { return commitLogOffset; } public int getMsgSize() { return msgSize; } public long getStoreTimestamp() { return storeTimestamp; } public long getConsumeQueueOffset() { return consumeQueueOffset; } public String getKeys() { return keys; } public long getTagsCode() { return tagsCode; } public int getSysFlag() { return sysFlag; } public long getPreparedTransactionOffset() { return preparedTransactionOffset; } }
.version 52 0 .class public super DispatchRequest .super java/lang/Object .field private final topic Ljava/lang/String; .field private final queueId I .field private final commitLogOffset J .field private final msgSize I .field private final tagsCode J .field private final storeTimestamp J .field private final consumeQueueOffset J .field private final keys Ljava/lang/String; .field private final sysFlag I .field private final preparedTransactionOffset J .method public <init> : (Ljava/lang/String;IJIJJJLjava/lang/String;IJ)V .code stack 3 locals 16 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: aload_1 L6: putfield Field DispatchRequest topic Ljava/lang/String; L9: aload_0 L10: iload_2 L11: putfield Field DispatchRequest queueId I L14: aload_0 L15: lload_3 L16: putfield Field DispatchRequest commitLogOffset J L19: aload_0 L20: iload 5 L22: putfield Field DispatchRequest msgSize I L25: aload_0 L26: lload 6 L28: putfield Field DispatchRequest tagsCode J L31: aload_0 L32: lload 8 L34: putfield Field DispatchRequest storeTimestamp J L37: aload_0 L38: lload 10 L40: putfield Field DispatchRequest consumeQueueOffset J L43: aload_0 L44: aload 12 L46: putfield Field DispatchRequest keys Ljava/lang/String; L49: aload_0 L50: iload 13 L52: putfield Field DispatchRequest sysFlag I L55: aload_0 L56: lload 14 L58: putfield Field DispatchRequest preparedTransactionOffset J L61: return L62: .linenumbertable L0 54 L4 55 L9 56 L14 57 L19 58 L25 59 L31 60 L37 61 L43 62 L49 67 L55 68 L61 69 .end linenumbertable .end code .end method .method public <init> : (I)V .code stack 3 locals 2 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: ldc '' L7: putfield Field DispatchRequest topic Ljava/lang/String; L10: aload_0 L11: iconst_0 L12: putfield Field DispatchRequest queueId I L15: aload_0 L16: lconst_0 L17: putfield Field DispatchRequest commitLogOffset J L20: aload_0 L21: iload_1 L22: putfield Field DispatchRequest msgSize I L25: aload_0 L26: lconst_0 L27: putfield Field DispatchRequest tagsCode J L30: aload_0 L31: lconst_0 L32: putfield Field DispatchRequest storeTimestamp J L35: aload_0 L36: lconst_0 L37: putfield Field DispatchRequest consumeQueueOffset J L40: aload_0 L41: ldc '' L43: putfield Field DispatchRequest keys Ljava/lang/String; L46: aload_0 L47: iconst_0 L48: putfield Field DispatchRequest sysFlag I L51: aload_0 L52: lconst_0 L53: putfield Field DispatchRequest preparedTransactionOffset J L56: return L57: .linenumbertable L0 72 L4 74 L10 76 L15 78 L20 80 L25 82 L30 84 L35 86 L40 88 L46 93 L51 94 L56 95 .end linenumbertable .end code .end method .method public getTopic : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field DispatchRequest topic Ljava/lang/String; L4: areturn L5: .linenumbertable L0 99 .end linenumbertable .end code .end method .method public getQueueId : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field DispatchRequest queueId I L4: ireturn L5: .linenumbertable L0 104 .end linenumbertable .end code .end method .method public getCommitLogOffset : ()J .code stack 2 locals 1 L0: aload_0 L1: getfield Field DispatchRequest commitLogOffset J L4: lreturn L5: .linenumbertable L0 109 .end linenumbertable .end code .end method .method public getMsgSize : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field DispatchRequest msgSize I L4: ireturn L5: .linenumbertable L0 114 .end linenumbertable .end code .end method .method public getStoreTimestamp : ()J .code stack 2 locals 1 L0: aload_0 L1: getfield Field DispatchRequest storeTimestamp J L4: lreturn L5: .linenumbertable L0 119 .end linenumbertable .end code .end method .method public getConsumeQueueOffset : ()J .code stack 2 locals 1 L0: aload_0 L1: getfield Field DispatchRequest consumeQueueOffset J L4: lreturn L5: .linenumbertable L0 124 .end linenumbertable .end code .end method .method public getKeys : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field DispatchRequest keys Ljava/lang/String; L4: areturn L5: .linenumbertable L0 129 .end linenumbertable .end code .end method .method public getTagsCode : ()J .code stack 2 locals 1 L0: aload_0 L1: getfield Field DispatchRequest tagsCode J L4: lreturn L5: .linenumbertable L0 134 .end linenumbertable .end code .end method .method public getSysFlag : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field DispatchRequest sysFlag I L4: ireturn L5: .linenumbertable L0 139 .end linenumbertable .end code .end method .method public getPreparedTransactionOffset : ()J .code stack 2 locals 1 L0: aload_0 L1: getfield Field DispatchRequest preparedTransactionOffset J L4: lreturn L5: .linenumbertable L0 144 .end linenumbertable .end code .end method .sourcefile 'DispatchRequest.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 20:00:42 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 DispatchRequest_ESTest extends DispatchRequest_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest((String) null, (-42367), (-42367), 1, 68121L, 68121L, 61717L, (String) null, (-31478), 1); dispatchRequest0.getTopic(); assertEquals(61717L, dispatchRequest0.getConsumeQueueOffset()); assertEquals((-42367), dispatchRequest0.getQueueId()); assertEquals(1, dispatchRequest0.getMsgSize()); assertEquals(68121L, dispatchRequest0.getStoreTimestamp()); assertEquals((-31478), dispatchRequest0.getSysFlag()); assertEquals((-42367L), dispatchRequest0.getCommitLogOffset()); assertEquals(68121L, dispatchRequest0.getTagsCode()); assertEquals(1L, dispatchRequest0.getPreparedTransactionOffset()); } @Test(timeout = 4000) public void test01() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest("M6f(vb?A.G1C5P2", 7794, 7794, 7794, 7794, 7794, 7794, "M6f(vb?A.G1C5P2", (-1), (-23185L)); dispatchRequest0.getTopic(); assertEquals(7794L, dispatchRequest0.getCommitLogOffset()); assertEquals(7794L, dispatchRequest0.getStoreTimestamp()); assertEquals(7794, dispatchRequest0.getMsgSize()); assertEquals((-1), dispatchRequest0.getSysFlag()); assertEquals(7794, dispatchRequest0.getQueueId()); assertEquals((-23185L), dispatchRequest0.getPreparedTransactionOffset()); assertEquals(7794L, dispatchRequest0.getConsumeQueueOffset()); assertEquals(7794L, dispatchRequest0.getTagsCode()); } @Test(timeout = 4000) public void test02() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest(0); long long0 = dispatchRequest0.getTagsCode(); assertEquals(0L, dispatchRequest0.getStoreTimestamp()); assertEquals(0L, dispatchRequest0.getCommitLogOffset()); assertEquals(0L, dispatchRequest0.getPreparedTransactionOffset()); assertEquals(0L, long0); assertEquals(0, dispatchRequest0.getSysFlag()); assertEquals(0, dispatchRequest0.getMsgSize()); assertEquals(0, dispatchRequest0.getQueueId()); assertEquals(0L, dispatchRequest0.getConsumeQueueOffset()); } @Test(timeout = 4000) public void test03() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest((String) null, 1, 1, 1, (-21403L), 1, 1, (String) null, 1, 1L); long long0 = dispatchRequest0.getTagsCode(); assertEquals(1, dispatchRequest0.getQueueId()); assertEquals(1L, dispatchRequest0.getConsumeQueueOffset()); assertEquals(1, dispatchRequest0.getSysFlag()); assertEquals(1L, dispatchRequest0.getStoreTimestamp()); assertEquals((-21403L), long0); assertEquals(1L, dispatchRequest0.getPreparedTransactionOffset()); assertEquals(1, dispatchRequest0.getMsgSize()); assertEquals(1L, dispatchRequest0.getCommitLogOffset()); } @Test(timeout = 4000) public void test04() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest(0); int int0 = dispatchRequest0.getSysFlag(); assertEquals(0L, dispatchRequest0.getTagsCode()); assertEquals(0L, dispatchRequest0.getCommitLogOffset()); assertEquals(0, dispatchRequest0.getMsgSize()); assertEquals(0L, dispatchRequest0.getStoreTimestamp()); assertEquals(0L, dispatchRequest0.getConsumeQueueOffset()); assertEquals(0, dispatchRequest0.getQueueId()); assertEquals(0, int0); assertEquals(0L, dispatchRequest0.getPreparedTransactionOffset()); } @Test(timeout = 4000) public void test05() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest("EQ?9Z_<I", 0, 15880L, 41415, 0L, 15880L, 0L, "EQ?9Z_<I", 41415, (-71833L)); int int0 = dispatchRequest0.getSysFlag(); assertEquals(41415, dispatchRequest0.getMsgSize()); assertEquals((-71833L), dispatchRequest0.getPreparedTransactionOffset()); assertEquals(0, dispatchRequest0.getQueueId()); assertEquals(15880L, dispatchRequest0.getCommitLogOffset()); assertEquals(41415, int0); assertEquals(15880L, dispatchRequest0.getStoreTimestamp()); } @Test(timeout = 4000) public void test06() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest(35590); long long0 = dispatchRequest0.getStoreTimestamp(); assertEquals(0, dispatchRequest0.getQueueId()); assertEquals(35590, dispatchRequest0.getMsgSize()); assertEquals(0L, dispatchRequest0.getConsumeQueueOffset()); assertEquals(0, dispatchRequest0.getSysFlag()); assertEquals(0L, dispatchRequest0.getPreparedTransactionOffset()); assertEquals(0L, dispatchRequest0.getTagsCode()); assertEquals(0L, long0); assertEquals(0L, dispatchRequest0.getCommitLogOffset()); } @Test(timeout = 4000) public void test07() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest("$+(|,^xTB66#vym+mv", 0, 43543L, 0, 0L, 43543L, 0L, "$+(|,^xTB66#vym+mv", (-140587), 43543L); long long0 = dispatchRequest0.getStoreTimestamp(); assertEquals((-140587), dispatchRequest0.getSysFlag()); assertEquals(0, dispatchRequest0.getQueueId()); assertEquals(43543L, dispatchRequest0.getPreparedTransactionOffset()); assertEquals(43543L, long0); assertEquals(0, dispatchRequest0.getMsgSize()); assertEquals(43543L, dispatchRequest0.getCommitLogOffset()); } @Test(timeout = 4000) public void test08() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest(1); int int0 = dispatchRequest0.getQueueId(); assertEquals(0L, dispatchRequest0.getCommitLogOffset()); assertEquals(0, int0); assertEquals(0, dispatchRequest0.getSysFlag()); assertEquals(0L, dispatchRequest0.getTagsCode()); assertEquals(0L, dispatchRequest0.getConsumeQueueOffset()); assertEquals(1, dispatchRequest0.getMsgSize()); assertEquals(0L, dispatchRequest0.getStoreTimestamp()); assertEquals(0L, dispatchRequest0.getPreparedTransactionOffset()); } @Test(timeout = 4000) public void test09() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest((String) null, (-43729), 1L, 1, 0L, 26759L, (-24985L), "", (-27754), (-27754)); int int0 = dispatchRequest0.getQueueId(); assertEquals(26759L, dispatchRequest0.getStoreTimestamp()); assertEquals(1, dispatchRequest0.getMsgSize()); assertEquals((-27754), dispatchRequest0.getSysFlag()); assertEquals((-43729), int0); assertEquals(1L, dispatchRequest0.getCommitLogOffset()); assertEquals((-27754L), dispatchRequest0.getPreparedTransactionOffset()); assertEquals((-24985L), dispatchRequest0.getConsumeQueueOffset()); } @Test(timeout = 4000) public void test10() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest(0); long long0 = dispatchRequest0.getPreparedTransactionOffset(); assertEquals(0L, dispatchRequest0.getStoreTimestamp()); assertEquals(0L, dispatchRequest0.getCommitLogOffset()); assertEquals(0L, long0); assertEquals(0, dispatchRequest0.getMsgSize()); assertEquals(0, dispatchRequest0.getSysFlag()); assertEquals(0, dispatchRequest0.getQueueId()); assertEquals(0L, dispatchRequest0.getConsumeQueueOffset()); assertEquals(0L, dispatchRequest0.getTagsCode()); } @Test(timeout = 4000) public void test11() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest("M6f(vb?A.G1C5P2", 7794, 7794, 7794, 7794, 7794, 7794, "M6f(vb?A.G1C5P2", (-1), (-23185L)); long long0 = dispatchRequest0.getPreparedTransactionOffset(); assertEquals(7794, dispatchRequest0.getMsgSize()); assertEquals(7794L, dispatchRequest0.getTagsCode()); assertEquals((-1), dispatchRequest0.getSysFlag()); assertEquals(7794L, dispatchRequest0.getCommitLogOffset()); assertEquals((-23185L), long0); assertEquals(7794, dispatchRequest0.getQueueId()); assertEquals(7794L, dispatchRequest0.getConsumeQueueOffset()); assertEquals(7794L, dispatchRequest0.getStoreTimestamp()); } @Test(timeout = 4000) public void test12() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest(0); int int0 = dispatchRequest0.getMsgSize(); assertEquals(0L, dispatchRequest0.getPreparedTransactionOffset()); assertEquals(0L, dispatchRequest0.getCommitLogOffset()); assertEquals(0L, dispatchRequest0.getStoreTimestamp()); assertEquals(0, dispatchRequest0.getSysFlag()); assertEquals(0, int0); assertEquals(0, dispatchRequest0.getQueueId()); assertEquals(0L, dispatchRequest0.getConsumeQueueOffset()); assertEquals(0L, dispatchRequest0.getTagsCode()); } @Test(timeout = 4000) public void test13() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest((-1)); int int0 = dispatchRequest0.getMsgSize(); assertEquals(0L, dispatchRequest0.getTagsCode()); assertEquals(0L, dispatchRequest0.getStoreTimestamp()); assertEquals(0L, dispatchRequest0.getPreparedTransactionOffset()); assertEquals(0, dispatchRequest0.getSysFlag()); assertEquals(0L, dispatchRequest0.getConsumeQueueOffset()); assertEquals(0, dispatchRequest0.getQueueId()); assertEquals((-1), int0); assertEquals(0L, dispatchRequest0.getCommitLogOffset()); } @Test(timeout = 4000) public void test14() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest((String) null, 1, 1, 1, (-21403L), 1, 1, (String) null, 1, 1L); dispatchRequest0.getKeys(); assertEquals(1, dispatchRequest0.getQueueId()); assertEquals(1L, dispatchRequest0.getConsumeQueueOffset()); assertEquals(1, dispatchRequest0.getMsgSize()); assertEquals((-21403L), dispatchRequest0.getTagsCode()); assertEquals(1, dispatchRequest0.getSysFlag()); assertEquals(1L, dispatchRequest0.getPreparedTransactionOffset()); assertEquals(1L, dispatchRequest0.getCommitLogOffset()); assertEquals(1L, dispatchRequest0.getStoreTimestamp()); } @Test(timeout = 4000) public void test15() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest("$+(|,^xTB66#vym+mv", 0, 43543L, 0, 0L, 43543L, 0L, "$+(|,^xTB66#vym+mv", (-140587), 43543L); dispatchRequest0.getKeys(); assertEquals(0, dispatchRequest0.getMsgSize()); assertEquals(0, dispatchRequest0.getQueueId()); assertEquals(43543L, dispatchRequest0.getCommitLogOffset()); assertEquals((-140587), dispatchRequest0.getSysFlag()); assertEquals(43543L, dispatchRequest0.getPreparedTransactionOffset()); assertEquals(43543L, dispatchRequest0.getStoreTimestamp()); } @Test(timeout = 4000) public void test16() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest(0); long long0 = dispatchRequest0.getConsumeQueueOffset(); assertEquals(0L, dispatchRequest0.getPreparedTransactionOffset()); assertEquals(0, dispatchRequest0.getMsgSize()); assertEquals(0L, dispatchRequest0.getTagsCode()); assertEquals(0, dispatchRequest0.getSysFlag()); assertEquals(0, dispatchRequest0.getQueueId()); assertEquals(0L, long0); assertEquals(0L, dispatchRequest0.getStoreTimestamp()); assertEquals(0L, dispatchRequest0.getCommitLogOffset()); } @Test(timeout = 4000) public void test17() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest("Ros>+&j0oig mV", 0, (-39186L), 0, (-1L), 0L, (-1L), "Ros>+&j0oig mV", 0, 0); long long0 = dispatchRequest0.getConsumeQueueOffset(); assertEquals(0, dispatchRequest0.getMsgSize()); assertEquals((-39186L), dispatchRequest0.getCommitLogOffset()); assertEquals(0, dispatchRequest0.getQueueId()); assertEquals((-1L), long0); assertEquals(0, dispatchRequest0.getSysFlag()); assertEquals((-1L), dispatchRequest0.getTagsCode()); } @Test(timeout = 4000) public void test18() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest("", 0, 18651L, (-42871), 0L, 41201L, (-42871), (String) null, 57292, 41201L); long long0 = dispatchRequest0.getCommitLogOffset(); assertEquals((-42871L), dispatchRequest0.getConsumeQueueOffset()); assertEquals((-42871), dispatchRequest0.getMsgSize()); assertEquals(18651L, long0); assertEquals(41201L, dispatchRequest0.getStoreTimestamp()); assertEquals(41201L, dispatchRequest0.getPreparedTransactionOffset()); assertEquals(57292, dispatchRequest0.getSysFlag()); assertEquals(0, dispatchRequest0.getQueueId()); } @Test(timeout = 4000) public void test19() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest("", 11784, (-30269L), 11784, (-51466L), 22325L, (-51466L), "", 11784, (-51466L)); long long0 = dispatchRequest0.getCommitLogOffset(); assertEquals(11784, dispatchRequest0.getMsgSize()); assertEquals((-51466L), dispatchRequest0.getConsumeQueueOffset()); assertEquals(22325L, dispatchRequest0.getStoreTimestamp()); assertEquals((-30269L), long0); assertEquals(11784, dispatchRequest0.getSysFlag()); assertEquals(11784, dispatchRequest0.getQueueId()); assertEquals((-51466L), dispatchRequest0.getPreparedTransactionOffset()); assertEquals((-51466L), dispatchRequest0.getTagsCode()); } @Test(timeout = 4000) public void test20() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest(0); dispatchRequest0.getTopic(); assertEquals(0L, dispatchRequest0.getTagsCode()); assertEquals(0L, dispatchRequest0.getPreparedTransactionOffset()); assertEquals(0L, dispatchRequest0.getStoreTimestamp()); assertEquals(0L, dispatchRequest0.getCommitLogOffset()); assertEquals(0, dispatchRequest0.getSysFlag()); assertEquals(0, dispatchRequest0.getQueueId()); assertEquals(0L, dispatchRequest0.getConsumeQueueOffset()); assertEquals(0, dispatchRequest0.getMsgSize()); } @Test(timeout = 4000) public void test21() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest("", (-88683), 0L, (-88683), 42689L, (-88683), (-32569L), "", (-88683), (-1L)); int int0 = dispatchRequest0.getSysFlag(); assertEquals((-88683), int0); assertEquals(42689L, dispatchRequest0.getTagsCode()); assertEquals((-32569L), dispatchRequest0.getConsumeQueueOffset()); assertEquals((-88683L), dispatchRequest0.getStoreTimestamp()); assertEquals((-1L), dispatchRequest0.getPreparedTransactionOffset()); assertEquals((-88683), dispatchRequest0.getMsgSize()); assertEquals((-88683), dispatchRequest0.getQueueId()); } @Test(timeout = 4000) public void test22() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest((String) null, 1, 1, 1, (-21403L), 1, 1, (String) null, 1, 1L); long long0 = dispatchRequest0.getConsumeQueueOffset(); assertEquals(1, dispatchRequest0.getMsgSize()); assertEquals(1L, dispatchRequest0.getPreparedTransactionOffset()); assertEquals(1L, long0); assertEquals(1, dispatchRequest0.getSysFlag()); assertEquals((-21403L), dispatchRequest0.getTagsCode()); assertEquals(1, dispatchRequest0.getQueueId()); assertEquals(1L, dispatchRequest0.getStoreTimestamp()); assertEquals(1L, dispatchRequest0.getCommitLogOffset()); } @Test(timeout = 4000) public void test23() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest((String) null, 1, 1, 1, (-21403L), 1, 1, (String) null, 1, 1L); int int0 = dispatchRequest0.getQueueId(); assertEquals(1, dispatchRequest0.getSysFlag()); assertEquals((-21403L), dispatchRequest0.getTagsCode()); assertEquals(1, dispatchRequest0.getMsgSize()); assertEquals(1L, dispatchRequest0.getConsumeQueueOffset()); assertEquals(1, int0); assertEquals(1L, dispatchRequest0.getStoreTimestamp()); assertEquals(1L, dispatchRequest0.getCommitLogOffset()); assertEquals(1L, dispatchRequest0.getPreparedTransactionOffset()); } @Test(timeout = 4000) public void test24() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest("", (-88683), 0L, (-88683), 42689L, (-88683), (-32569L), "", (-88683), (-1L)); long long0 = dispatchRequest0.getTagsCode(); assertEquals((-1L), dispatchRequest0.getPreparedTransactionOffset()); assertEquals((-88683L), dispatchRequest0.getStoreTimestamp()); assertEquals((-88683), dispatchRequest0.getQueueId()); assertEquals((-32569L), dispatchRequest0.getConsumeQueueOffset()); assertEquals(42689L, long0); assertEquals((-88683), dispatchRequest0.getMsgSize()); assertEquals((-88683), dispatchRequest0.getSysFlag()); } @Test(timeout = 4000) public void test25() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest("", (-88683), 0L, (-88683), 42689L, (-88683), (-32569L), "", (-88683), (-1L)); dispatchRequest0.getKeys(); assertEquals(42689L, dispatchRequest0.getTagsCode()); assertEquals((-88683), dispatchRequest0.getQueueId()); assertEquals((-88683), dispatchRequest0.getMsgSize()); assertEquals((-88683), dispatchRequest0.getSysFlag()); assertEquals((-1L), dispatchRequest0.getPreparedTransactionOffset()); assertEquals((-88683L), dispatchRequest0.getStoreTimestamp()); assertEquals((-32569L), dispatchRequest0.getConsumeQueueOffset()); } @Test(timeout = 4000) public void test26() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest(0); long long0 = dispatchRequest0.getCommitLogOffset(); assertEquals(0, dispatchRequest0.getMsgSize()); assertEquals(0L, dispatchRequest0.getPreparedTransactionOffset()); assertEquals(0, dispatchRequest0.getSysFlag()); assertEquals(0L, dispatchRequest0.getTagsCode()); assertEquals(0L, dispatchRequest0.getConsumeQueueOffset()); assertEquals(0, dispatchRequest0.getQueueId()); assertEquals(0L, long0); assertEquals(0L, dispatchRequest0.getStoreTimestamp()); } @Test(timeout = 4000) public void test27() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest((String) null, 1, 1, 1, (-21403L), 1, 1, (String) null, 1, 1L); int int0 = dispatchRequest0.getMsgSize(); assertEquals((-21403L), dispatchRequest0.getTagsCode()); assertEquals(1L, dispatchRequest0.getPreparedTransactionOffset()); assertEquals(1, int0); assertEquals(1L, dispatchRequest0.getCommitLogOffset()); assertEquals(1L, dispatchRequest0.getConsumeQueueOffset()); assertEquals(1L, dispatchRequest0.getStoreTimestamp()); assertEquals(1, dispatchRequest0.getQueueId()); assertEquals(1, dispatchRequest0.getSysFlag()); } @Test(timeout = 4000) public void test28() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest((String) null, 1, 1, 1, (-21403L), 1, 1, (String) null, 1, 1L); long long0 = dispatchRequest0.getPreparedTransactionOffset(); assertEquals(1, dispatchRequest0.getSysFlag()); assertEquals(1L, dispatchRequest0.getStoreTimestamp()); assertEquals(1L, long0); assertEquals(1, dispatchRequest0.getMsgSize()); assertEquals((-21403L), dispatchRequest0.getTagsCode()); assertEquals(1L, dispatchRequest0.getCommitLogOffset()); assertEquals(1, dispatchRequest0.getQueueId()); assertEquals(1L, dispatchRequest0.getConsumeQueueOffset()); } @Test(timeout = 4000) public void test29() throws Throwable { DispatchRequest dispatchRequest0 = new DispatchRequest("", (-88683), 0L, (-88683), 42689L, (-88683), (-32569L), "", (-88683), (-1L)); long long0 = dispatchRequest0.getStoreTimestamp(); assertEquals((-88683), dispatchRequest0.getSysFlag()); assertEquals((-32569L), dispatchRequest0.getConsumeQueueOffset()); assertEquals((-88683), dispatchRequest0.getQueueId()); assertEquals((-88683L), long0); assertEquals((-88683), dispatchRequest0.getMsgSize()); assertEquals(42689L, dispatchRequest0.getTagsCode()); assertEquals((-1L), dispatchRequest0.getPreparedTransactionOffset()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 20:00: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 DispatchRequest_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 = "DispatchRequest"; 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/tmpo65j_nhp"); 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(DispatchRequest_ESTest_scaffolding.class.getClassLoader() , "DispatchRequest" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DispatchRequest_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "DispatchRequest" ); } }
54
PMDColor
/* PMDColor.java * * Copyright (C) 2015, Tomáš Pecina <[email protected]> * * This file is part of cz.pecina.retro, retro 8-bit computer emulators. * * This application 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 application 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.awt.Color; import java.util.logging.Logger; /** * PMD 85 color. * * @author @AUTHOR@ * @version @VERSION@ */ public class PMDColor { // static logger private static final Logger log = Logger.getLogger(PMDColor.class.getName()); /** Number of color modes. */ public static int NUMBER_COLOR_MODES = 4; /** Default color mode. */ public static int DEFAULT_COLOR_MODE = 0; /** Number of colors. */ public static int NUMBER_COLORS = 4; /** White-on-black color modes. */ public static PMDColor[][] WOB_COLORS = { { new PMDColor(new Color(0xffffff), false), new PMDColor(new Color(0x808080), false), new PMDColor(new Color(0xffffff), true), new PMDColor(new Color(0x808080), true) }, { new PMDColor(new Color(0xffffff), false), new PMDColor(new Color(0xc0c0c0), false), new PMDColor(new Color(0x808080), false), new PMDColor(new Color(0x404040), false) } }; /** Green-on-black color modes. */ public static PMDColor[][] GOB_COLORS = { { new PMDColor(new Color(0x80ff80), false), new PMDColor(new Color(0x408040), false), new PMDColor(new Color(0x80ff80), true), new PMDColor(new Color(0x408040), true) }, { new PMDColor(new Color(0x80ff80), false), new PMDColor(new Color(0x60c060), false), new PMDColor(new Color(0x408040), false), new PMDColor(new Color(0x204020), false) } }; /** Default custom color mode. */ public static PMDColor DEFAULT_COLORS[] = { new PMDColor(new Color(0x00ff00), false), new PMDColor(new Color(0xff0000), false), new PMDColor(new Color(0x0000ff), false), new PMDColor(new Color(0xff00ff), false) }; // color private Color color; // blink flag private boolean blinkFlag; /** * Creates a color object, * * @param color color of the pixels * @param blinkFlag {@code true} if blinking */ public PMDColor(final Color color, final boolean blinkFlag) { assert color != null; this.color = color; this.blinkFlag = blinkFlag; log.fine("New PMD color created, color: " + color + ", blink: " + blinkFlag); } /** * Sets the color. * * @param color the color of the pixels */ public void setColor(final Color color) { this.color = color; } /** * Gets the color. * * @return the color of the pixels */ public Color getColor() { return color; } /** * Sets the blinking flag. * * @param blinkFlag {@code true} if blinking */ public void setBlinkFlag(final boolean blinkFlag) { this.blinkFlag = blinkFlag; } /** * Gets the blinking flag. * * @return {@code true} if blinking */ public boolean getBlinkFlag() { return blinkFlag; } }
.version 52 0 .class public super PMDColor .super java/lang/Object .field private static final log Ljava/util/logging/Logger; .field public static NUMBER_COLOR_MODES I .field public static DEFAULT_COLOR_MODE I .field public static NUMBER_COLORS I .field public static WOB_COLORS [[LPMDColor; .field public static GOB_COLORS [[LPMDColor; .field public static DEFAULT_COLORS [LPMDColor; .field private color Ljava/awt/Color; .field private blinkFlag Z .field static final synthetic $assertionsDisabled Z .method public <init> : (Ljava/awt/Color;Z)V .code stack 3 locals 3 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: getstatic Field PMDColor $assertionsDisabled Z L7: ifne L22 L10: aload_1 L11: ifnonnull L22 L14: new java/lang/AssertionError L17: dup L18: invokespecial Method java/lang/AssertionError <init> ()V L21: athrow .stack full locals Object PMDColor Object java/awt/Color Integer stack .end stack L22: aload_0 L23: aload_1 L24: putfield Field PMDColor color Ljava/awt/Color; L27: aload_0 L28: iload_2 L29: putfield Field PMDColor blinkFlag Z L32: getstatic Field PMDColor log Ljava/util/logging/Logger; L35: new java/lang/StringBuilder L38: dup L39: invokespecial Method java/lang/StringBuilder <init> ()V L42: ldc 'New PMD color created, color: ' L44: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L47: aload_1 L48: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder; L51: ldc ', blink: ' L53: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L56: iload_2 L57: invokevirtual Method java/lang/StringBuilder append (Z)Ljava/lang/StringBuilder; L60: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L63: invokevirtual Method java/util/logging/Logger fine (Ljava/lang/String;)V L66: return L67: .linenumbertable L0 106 L4 107 L22 108 L27 109 L32 110 L66 112 .end linenumbertable .end code .end method .method public setColor : (Ljava/awt/Color;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field PMDColor color Ljava/awt/Color; L5: return L6: .linenumbertable L0 120 L5 121 .end linenumbertable .end code .end method .method public getColor : ()Ljava/awt/Color; .code stack 1 locals 1 L0: aload_0 L1: getfield Field PMDColor color Ljava/awt/Color; L4: areturn L5: .linenumbertable L0 129 .end linenumbertable .end code .end method .method public setBlinkFlag : (Z)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field PMDColor blinkFlag Z L5: return L6: .linenumbertable L0 138 L5 139 .end linenumbertable .end code .end method .method public getBlinkFlag : ()Z .code stack 1 locals 1 L0: aload_0 L1: getfield Field PMDColor blinkFlag Z L4: ireturn L5: .linenumbertable L0 147 .end linenumbertable .end code .end method .method static <clinit> : ()V .code stack 11 locals 0 L0: ldc Class PMDColor L2: invokevirtual Method java/lang/Class desiredAssertionStatus ()Z L5: ifne L12 L8: iconst_1 L9: goto L13 .stack same L12: iconst_0 .stack stack_1 Integer L13: putstatic Field PMDColor $assertionsDisabled Z L16: ldc Class PMDColor L18: invokevirtual Method java/lang/Class getName ()Ljava/lang/String; L21: invokestatic Method java/util/logging/Logger getLogger (Ljava/lang/String;)Ljava/util/logging/Logger; L24: putstatic Field PMDColor log Ljava/util/logging/Logger; L27: iconst_4 L28: putstatic Field PMDColor NUMBER_COLOR_MODES I L31: iconst_0 L32: putstatic Field PMDColor DEFAULT_COLOR_MODE I L35: iconst_4 L36: putstatic Field PMDColor NUMBER_COLORS I L39: iconst_2 L40: anewarray [LPMDColor; L43: dup L44: iconst_0 L45: iconst_4 L46: anewarray PMDColor L49: dup L50: iconst_0 L51: new PMDColor L54: dup L55: new java/awt/Color L58: dup L59: ldc 16777215 L61: invokespecial Method java/awt/Color <init> (I)V L64: iconst_0 L65: invokespecial Method PMDColor <init> (Ljava/awt/Color;Z)V L68: aastore L69: dup L70: iconst_1 L71: new PMDColor L74: dup L75: new java/awt/Color L78: dup L79: ldc 8421504 L81: invokespecial Method java/awt/Color <init> (I)V L84: iconst_0 L85: invokespecial Method PMDColor <init> (Ljava/awt/Color;Z)V L88: aastore L89: dup L90: iconst_2 L91: new PMDColor L94: dup L95: new java/awt/Color L98: dup L99: ldc 16777215 L101: invokespecial Method java/awt/Color <init> (I)V L104: iconst_1 L105: invokespecial Method PMDColor <init> (Ljava/awt/Color;Z)V L108: aastore L109: dup L110: iconst_3 L111: new PMDColor L114: dup L115: new java/awt/Color L118: dup L119: ldc 8421504 L121: invokespecial Method java/awt/Color <init> (I)V L124: iconst_1 L125: invokespecial Method PMDColor <init> (Ljava/awt/Color;Z)V L128: aastore L129: aastore L130: dup L131: iconst_1 L132: iconst_4 L133: anewarray PMDColor L136: dup L137: iconst_0 L138: new PMDColor L141: dup L142: new java/awt/Color L145: dup L146: ldc 16777215 L148: invokespecial Method java/awt/Color <init> (I)V L151: iconst_0 L152: invokespecial Method PMDColor <init> (Ljava/awt/Color;Z)V L155: aastore L156: dup L157: iconst_1 L158: new PMDColor L161: dup L162: new java/awt/Color L165: dup L166: ldc 12632256 L168: invokespecial Method java/awt/Color <init> (I)V L171: iconst_0 L172: invokespecial Method PMDColor <init> (Ljava/awt/Color;Z)V L175: aastore L176: dup L177: iconst_2 L178: new PMDColor L181: dup L182: new java/awt/Color L185: dup L186: ldc 8421504 L188: invokespecial Method java/awt/Color <init> (I)V L191: iconst_0 L192: invokespecial Method PMDColor <init> (Ljava/awt/Color;Z)V L195: aastore L196: dup L197: iconst_3 L198: new PMDColor L201: dup L202: new java/awt/Color L205: dup L206: ldc 4210752 L208: invokespecial Method java/awt/Color <init> (I)V L211: iconst_0 L212: invokespecial Method PMDColor <init> (Ljava/awt/Color;Z)V L215: aastore L216: aastore L217: putstatic Field PMDColor WOB_COLORS [[LPMDColor; L220: iconst_2 L221: anewarray [LPMDColor; L224: dup L225: iconst_0 L226: iconst_4 L227: anewarray PMDColor L230: dup L231: iconst_0 L232: new PMDColor L235: dup L236: new java/awt/Color L239: dup L240: ldc 8454016 L242: invokespecial Method java/awt/Color <init> (I)V L245: iconst_0 L246: invokespecial Method PMDColor <init> (Ljava/awt/Color;Z)V L249: aastore L250: dup L251: iconst_1 L252: new PMDColor L255: dup L256: new java/awt/Color L259: dup L260: ldc 4227136 L262: invokespecial Method java/awt/Color <init> (I)V L265: iconst_0 L266: invokespecial Method PMDColor <init> (Ljava/awt/Color;Z)V L269: aastore L270: dup L271: iconst_2 L272: new PMDColor L275: dup L276: new java/awt/Color L279: dup L280: ldc 8454016 L282: invokespecial Method java/awt/Color <init> (I)V L285: iconst_1 L286: invokespecial Method PMDColor <init> (Ljava/awt/Color;Z)V L289: aastore L290: dup L291: iconst_3 L292: new PMDColor L295: dup L296: new java/awt/Color L299: dup L300: ldc 4227136 L302: invokespecial Method java/awt/Color <init> (I)V L305: iconst_1 L306: invokespecial Method PMDColor <init> (Ljava/awt/Color;Z)V L309: aastore L310: aastore L311: dup L312: iconst_1 L313: iconst_4 L314: anewarray PMDColor L317: dup L318: iconst_0 L319: new PMDColor L322: dup L323: new java/awt/Color L326: dup L327: ldc 8454016 L329: invokespecial Method java/awt/Color <init> (I)V L332: iconst_0 L333: invokespecial Method PMDColor <init> (Ljava/awt/Color;Z)V L336: aastore L337: dup L338: iconst_1 L339: new PMDColor L342: dup L343: new java/awt/Color L346: dup L347: ldc 6340704 L349: invokespecial Method java/awt/Color <init> (I)V L352: iconst_0 L353: invokespecial Method PMDColor <init> (Ljava/awt/Color;Z)V L356: aastore L357: dup L358: iconst_2 L359: new PMDColor L362: dup L363: new java/awt/Color L366: dup L367: ldc 4227136 L369: invokespecial Method java/awt/Color <init> (I)V L372: iconst_0 L373: invokespecial Method PMDColor <init> (Ljava/awt/Color;Z)V L376: aastore L377: dup L378: iconst_3 L379: new PMDColor L382: dup L383: new java/awt/Color L386: dup L387: ldc 2113568 L389: invokespecial Method java/awt/Color <init> (I)V L392: iconst_0 L393: invokespecial Method PMDColor <init> (Ljava/awt/Color;Z)V L396: aastore L397: aastore L398: putstatic Field PMDColor GOB_COLORS [[LPMDColor; L401: iconst_4 L402: anewarray PMDColor L405: dup L406: iconst_0 L407: new PMDColor L410: dup L411: new java/awt/Color L414: dup L415: ldc 65280 L417: invokespecial Method java/awt/Color <init> (I)V L420: iconst_0 L421: invokespecial Method PMDColor <init> (Ljava/awt/Color;Z)V L424: aastore L425: dup L426: iconst_1 L427: new PMDColor L430: dup L431: new java/awt/Color L434: dup L435: ldc 16711680 L437: invokespecial Method java/awt/Color <init> (I)V L440: iconst_0 L441: invokespecial Method PMDColor <init> (Ljava/awt/Color;Z)V L444: aastore L445: dup L446: iconst_2 L447: new PMDColor L450: dup L451: new java/awt/Color L454: dup L455: sipush 255 L458: invokespecial Method java/awt/Color <init> (I)V L461: iconst_0 L462: invokespecial Method PMDColor <init> (Ljava/awt/Color;Z)V L465: aastore L466: dup L467: iconst_3 L468: new PMDColor L471: dup L472: new java/awt/Color L475: dup L476: ldc 16711935 L478: invokespecial Method java/awt/Color <init> (I)V L481: iconst_0 L482: invokespecial Method PMDColor <init> (Ljava/awt/Color;Z)V L485: aastore L486: putstatic Field PMDColor DEFAULT_COLORS [LPMDColor; L489: return L490: .linenumbertable L0 33 L16 36 L18 37 L27 43 L31 48 L35 53 L39 58 L220 73 L401 88 .end linenumbertable .end code .end method .sourcefile 'PMDColor.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 21:44:17 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; import java.awt.Color; 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 PMDColor_ESTest extends PMDColor_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Color color0 = Color.gray; PMDColor pMDColor0 = new PMDColor(color0, false); pMDColor0.setColor((Color) null); pMDColor0.getColor(); assertFalse(pMDColor0.getBlinkFlag()); } @Test(timeout = 4000) public void test1() throws Throwable { Color color0 = new Color(2027, true); PMDColor pMDColor0 = new PMDColor(color0, true); pMDColor0.getColor(); assertTrue(pMDColor0.getBlinkFlag()); } @Test(timeout = 4000) public void test2() throws Throwable { Color color0 = Color.gray; PMDColor pMDColor0 = new PMDColor(color0, false); pMDColor0.getColor(); assertFalse(pMDColor0.getBlinkFlag()); } @Test(timeout = 4000) public void test3() throws Throwable { Color color0 = new Color(0, 0, 0, 0); PMDColor pMDColor0 = new PMDColor(color0, false); pMDColor0.getColor(); assertFalse(pMDColor0.getBlinkFlag()); } @Test(timeout = 4000) public void test4() throws Throwable { Color color0 = Color.YELLOW; PMDColor pMDColor0 = new PMDColor(color0, true); boolean boolean0 = pMDColor0.getBlinkFlag(); assertTrue(boolean0); } @Test(timeout = 4000) public void test5() throws Throwable { PMDColor pMDColor0 = null; try { pMDColor0 = new PMDColor((Color) null, true); fail("Expecting exception: AssertionError"); } catch(AssertionError e) { // // no message in exception (getMessage() returned null) // } } @Test(timeout = 4000) public void test6() throws Throwable { Color color0 = Color.orange; PMDColor pMDColor0 = new PMDColor(color0, false); boolean boolean0 = pMDColor0.getBlinkFlag(); assertFalse(boolean0); } @Test(timeout = 4000) public void test7() throws Throwable { Color color0 = Color.orange; PMDColor pMDColor0 = new PMDColor(color0, false); pMDColor0.setBlinkFlag(false); assertFalse(pMDColor0.getBlinkFlag()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 21:44:17 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 PMDColor_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 = "PMDColor"; 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/tmpyecwkge4"); 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(PMDColor_ESTest_scaffolding.class.getClassLoader() , "PMDColor" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PMDColor_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "PMDColor" ); } }
55
ServiceIDs
/** * 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 * * <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. */ /** */ public final class ServiceIDs { public static final String KUBERNETES_SERVICE_ID = "kubernetes"; public static final String KUBERNETES_RO_SERVICE_ID = "kubernetes-ro"; public static final String FABRIC8_CONSOLE_SERVICE_ID = "fabric8-console-service"; private ServiceIDs() { // no public ctr } }
.version 52 0 .class public final super ServiceIDs .super java/lang/Object .field public static final KUBERNETES_SERVICE_ID Ljava/lang/String; = 'kubernetes' .field public static final KUBERNETES_RO_SERVICE_ID Ljava/lang/String; = 'kubernetes-ro' .field public static final FABRIC8_CONSOLE_SERVICE_ID Ljava/lang/String; = 'fabric8-console-service' .method private <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 28 L4 30 .end linenumbertable .end code .end method .sourcefile 'ServiceIDs.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 20:25:13 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 ServiceIDs_ESTest extends ServiceIDs_ESTest_scaffolding { @Test public void notGeneratedAnyTest() { // EvoSuite did not generate any tests } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 20:25:13 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class ServiceIDs_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); 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 = "ServiceIDs"; 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(); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); 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() { /*No java.lang.System property to set*/ } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ServiceIDs_ESTest_scaffolding.class.getClassLoader() , "ServiceIDs" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ServiceIDs_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ServiceIDs" ); } }
56
Hand
public class Hand { private int handvalue; public Hand(int handvalue) { // TODO Auto-generated constructor stub this.handvalue = handvalue; } public static final int HANDVALUE_GUU = 0; public static final int HANDVALUE_CHO = 1; public static final int HANDVALUE_PAA = 2; public static final Hand[] hand = { new Hand(HANDVALUE_GUU), new Hand(HANDVALUE_CHO), new Hand(HANDVALUE_PAA), }; public static final String[] name = { "가위", "바위", "보", }; public boolean isStrongerThan(Hand hand) { return fight(hand) == 1; } public boolean isWeakerThan(Hand hand) { return fight(hand) == -1; } public int fight(Hand hand) { if (this == hand) return 0; else if ((this.handvalue + 1) % 3 == hand.getHandvalue()) return 1; else return 1; } /** * @return the handvalue */ public int getHandvalue() { return handvalue; } public static Hand getHand(int handvalue) { return hand[handvalue]; } }
.version 52 0 .class public super Hand .super java/lang/Object .field private handvalue I .field public static final HANDVALUE_GUU I = 0 .field public static final HANDVALUE_CHO I = 1 .field public static final HANDVALUE_PAA I = 2 .field public static final hand [LHand; .field public static final name [Ljava/lang/String; .method public <init> : (I)V .code stack 2 locals 2 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: iload_1 L6: putfield Field Hand handvalue I L9: return L10: .linenumbertable L0 5 L4 7 L9 8 .end linenumbertable .end code .end method .method public isStrongerThan : (LHand;)Z .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: invokevirtual Method Hand fight (LHand;)I L5: iconst_1 L6: if_icmpne L13 L9: iconst_1 L10: goto L14 .stack same L13: iconst_0 .stack stack_1 Integer L14: ireturn L15: .linenumbertable L0 21 .end linenumbertable .end code .end method .method public isWeakerThan : (LHand;)Z .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: invokevirtual Method Hand fight (LHand;)I L5: iconst_m1 L6: if_icmpne L13 L9: iconst_1 L10: goto L14 .stack same L13: iconst_0 .stack stack_1 Integer L14: ireturn L15: .linenumbertable L0 24 .end linenumbertable .end code .end method .method public fight : (LHand;)I .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: if_acmpne L7 L5: iconst_0 L6: ireturn .stack same L7: aload_0 L8: getfield Field Hand handvalue I L11: iconst_1 L12: iadd L13: iconst_3 L14: irem L15: aload_1 L16: invokevirtual Method Hand getHandvalue ()I L19: if_icmpne L24 L22: iconst_1 L23: ireturn .stack same L24: iconst_1 L25: ireturn L26: .linenumbertable L0 27 L7 28 L24 29 .end linenumbertable .end code .end method .method public getHandvalue : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field Hand handvalue I L4: ireturn L5: .linenumbertable L0 35 .end linenumbertable .end code .end method .method public static getHand : (I)LHand; .code stack 2 locals 1 L0: getstatic Field Hand hand [LHand; L3: iload_0 L4: aaload L5: areturn L6: .linenumbertable L0 38 .end linenumbertable .end code .end method .method static <clinit> : ()V .code stack 6 locals 0 L0: iconst_3 L1: anewarray Hand L4: dup L5: iconst_0 L6: new Hand L9: dup L10: iconst_0 L11: invokespecial Method Hand <init> (I)V L14: aastore L15: dup L16: iconst_1 L17: new Hand L20: dup L21: iconst_1 L22: invokespecial Method Hand <init> (I)V L25: aastore L26: dup L27: iconst_2 L28: new Hand L31: dup L32: iconst_2 L33: invokespecial Method Hand <init> (I)V L36: aastore L37: putstatic Field Hand hand [LHand; L40: iconst_3 L41: anewarray java/lang/String L44: dup L45: iconst_0 L46: ldc '가위' L48: aastore L49: dup L50: iconst_1 L51: ldc '바위' L53: aastore L54: dup L55: iconst_2 L56: ldc '보' L58: aastore L59: putstatic Field Hand name [Ljava/lang/String; L62: return L63: .linenumbertable L0 12 L40 17 .end linenumbertable .end code .end method .sourcefile 'Hand.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 06:09:04 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 Hand_ESTest extends Hand_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Hand hand0 = Hand.getHand(0); Hand hand1 = Hand.getHand(2); int int0 = hand0.fight(hand1); assertEquals(1, int0); assertEquals(2, hand1.getHandvalue()); } @Test(timeout = 4000) public void test1() throws Throwable { Hand hand0 = new Hand(2); int int0 = hand0.getHandvalue(); assertEquals(2, int0); } @Test(timeout = 4000) public void test2() throws Throwable { Hand hand0 = new Hand((-1)); int int0 = hand0.getHandvalue(); assertEquals((-1), int0); } @Test(timeout = 4000) public void test3() throws Throwable { Hand hand0 = new Hand(0); Hand hand1 = new Hand(1); int int0 = hand0.fight(hand1); assertEquals(1, hand1.getHandvalue()); assertEquals(1, int0); } @Test(timeout = 4000) public void test4() throws Throwable { Hand hand0 = new Hand(0); Hand hand1 = Hand.getHand(0); int int0 = hand0.fight(hand1); assertEquals(0, hand0.getHandvalue()); assertEquals(1, int0); } @Test(timeout = 4000) public void test5() throws Throwable { Hand hand0 = new Hand(0); Hand hand1 = Hand.getHand(1); boolean boolean0 = hand0.isStrongerThan(hand1); assertEquals(1, hand1.getHandvalue()); assertEquals(0, hand0.getHandvalue()); assertTrue(boolean0); } @Test(timeout = 4000) public void test6() throws Throwable { Hand hand0 = new Hand(0); boolean boolean0 = hand0.isWeakerThan(hand0); assertFalse(boolean0); assertEquals(0, hand0.getHandvalue()); } @Test(timeout = 4000) public void test7() throws Throwable { Hand hand0 = new Hand(0); boolean boolean0 = hand0.isStrongerThan(hand0); assertFalse(boolean0); assertEquals(0, hand0.getHandvalue()); } @Test(timeout = 4000) public void test8() throws Throwable { Hand hand0 = Hand.getHand(0); int int0 = hand0.fight(hand0); int int1 = hand0.getHandvalue(); assertTrue(int1 == int0); Hand hand1 = Hand.getHand(2); boolean boolean0 = hand1.isWeakerThan(hand0); assertFalse(boolean0); int int2 = hand0.fight(hand1); assertEquals(1, int2); assertEquals(2, hand1.getHandvalue()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 06:09:04 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 Hand_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 = "Hand"; 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/tmpq2_82j9e"); 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(Hand_ESTest_scaffolding.class.getClassLoader() , "Hand" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Hand_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Hand" ); } }
57
Pager
/** * 分页实体类 * * @author RyougiChan */ public class Pager { /** 当前页面 */ private int curPage; /** 每页记录数 */ private int perPageRows; /** 记录总数目 */ private int rowCount; /** 总页数 */ private int totalPage; public int getTotalPage() { return (rowCount + perPageRows - 1) / perPageRows; } public void setTotalPage(int totalPage) { this.totalPage = totalPage; } public int getCurPage() { return curPage; } public void setCurPage(int curPage) { this.curPage = curPage; } public int getPerPageRows() { return perPageRows; } public void setPerPageRows(int perPageRows) { this.perPageRows = perPageRows; } public int getRowCount() { return rowCount; } public void setRowCount(int rowCount) { this.rowCount = rowCount; } @Override public String toString() { return "Pager [curPage=" + curPage + ", perPageRows=" + perPageRows + ", rowCount=" + rowCount + ", totalPage=" + totalPage + "]"; } }
.version 52 0 .class public super Pager .super java/lang/Object .field private curPage I .field private perPageRows I .field private rowCount I .field private totalPage I .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 7 .end linenumbertable .end code .end method .method public getTotalPage : ()I .code stack 2 locals 1 L0: aload_0 L1: getfield Field Pager rowCount I L4: aload_0 L5: getfield Field Pager perPageRows I L8: iadd L9: iconst_1 L10: isub L11: aload_0 L12: getfield Field Pager perPageRows I L15: idiv L16: ireturn L17: .linenumbertable L0 18 .end linenumbertable .end code .end method .method public setTotalPage : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field Pager totalPage I L5: return L6: .linenumbertable L0 21 L5 22 .end linenumbertable .end code .end method .method public getCurPage : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field Pager curPage I L4: ireturn L5: .linenumbertable L0 24 .end linenumbertable .end code .end method .method public setCurPage : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field Pager curPage I L5: return L6: .linenumbertable L0 27 L5 28 .end linenumbertable .end code .end method .method public getPerPageRows : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field Pager perPageRows I L4: ireturn L5: .linenumbertable L0 30 .end linenumbertable .end code .end method .method public setPerPageRows : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field Pager perPageRows I L5: return L6: .linenumbertable L0 33 L5 34 .end linenumbertable .end code .end method .method public getRowCount : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field Pager rowCount I L4: ireturn L5: .linenumbertable L0 36 .end linenumbertable .end code .end method .method public setRowCount : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field Pager rowCount I L5: return L6: .linenumbertable L0 39 L5 40 .end linenumbertable .end code .end method .method public toString : ()Ljava/lang/String; .code stack 2 locals 1 L0: new java/lang/StringBuilder L3: dup L4: invokespecial Method java/lang/StringBuilder <init> ()V L7: ldc 'Pager [curPage=' L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L12: aload_0 L13: getfield Field Pager curPage I L16: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L19: ldc ', perPageRows=' L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L24: aload_0 L25: getfield Field Pager perPageRows I L28: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L31: ldc ', rowCount=' L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L36: aload_0 L37: getfield Field Pager rowCount I L40: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L43: ldc ', totalPage=' L45: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L48: aload_0 L49: getfield Field Pager totalPage I L52: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L55: ldc ']' L57: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L60: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L63: areturn L64: .linenumbertable L0 43 .end linenumbertable .end code .end method .sourcefile 'Pager.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 09:42:31 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 Pager_ESTest extends Pager_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { Pager pager0 = new Pager(); pager0.setPerPageRows(6072); int int0 = pager0.getTotalPage(); assertEquals(6072, pager0.getPerPageRows()); assertEquals(0, int0); } @Test(timeout = 4000) public void test01() throws Throwable { Pager pager0 = new Pager(); pager0.setPerPageRows((-38389)); int int0 = pager0.getTotalPage(); assertEquals((-38389), pager0.getPerPageRows()); assertEquals(1, int0); } @Test(timeout = 4000) public void test02() throws Throwable { Pager pager0 = new Pager(); pager0.setRowCount((-68889)); pager0.setPerPageRows(1); int int0 = pager0.getTotalPage(); assertEquals((-68889), pager0.getRowCount()); assertEquals((-68889), int0); } @Test(timeout = 4000) public void test03() throws Throwable { Pager pager0 = new Pager(); pager0.setRowCount(32202); int int0 = pager0.getRowCount(); assertEquals(32202, int0); } @Test(timeout = 4000) public void test04() throws Throwable { Pager pager0 = new Pager(); pager0.setRowCount((-68889)); int int0 = pager0.getRowCount(); assertEquals((-68889), int0); } @Test(timeout = 4000) public void test05() throws Throwable { Pager pager0 = new Pager(); pager0.setPerPageRows(60718); int int0 = pager0.getPerPageRows(); assertEquals(60718, int0); } @Test(timeout = 4000) public void test06() throws Throwable { Pager pager0 = new Pager(); pager0.setCurPage(1); int int0 = pager0.getCurPage(); assertEquals(1, int0); } @Test(timeout = 4000) public void test07() throws Throwable { Pager pager0 = new Pager(); pager0.setPerPageRows((-1)); int int0 = pager0.getPerPageRows(); assertEquals((-1), int0); } @Test(timeout = 4000) public void test08() throws Throwable { Pager pager0 = new Pager(); pager0.setTotalPage(32202); assertEquals(0, pager0.getCurPage()); } @Test(timeout = 4000) public void test09() throws Throwable { Pager pager0 = new Pager(); String string0 = pager0.toString(); assertEquals("Pager [curPage=0, perPageRows=0, rowCount=0, totalPage=0]", string0); } @Test(timeout = 4000) public void test10() throws Throwable { Pager pager0 = new Pager(); int int0 = pager0.getPerPageRows(); assertEquals(0, int0); } @Test(timeout = 4000) public void test11() throws Throwable { Pager pager0 = new Pager(); pager0.setCurPage((-73181)); int int0 = pager0.getCurPage(); assertEquals((-73181), int0); } @Test(timeout = 4000) public void test12() throws Throwable { Pager pager0 = new Pager(); int int0 = pager0.getRowCount(); assertEquals(0, int0); } @Test(timeout = 4000) public void test13() throws Throwable { Pager pager0 = new Pager(); int int0 = pager0.getCurPage(); assertEquals(0, int0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 09:42:31 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 Pager_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 = "Pager"; 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/tmpkv8cc3xr"); 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(Pager_ESTest_scaffolding.class.getClassLoader() , "Pager" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Pager_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Pager" ); } }
58
IntsUtils
/* * 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. */ /** * int工具类 * * <p><a href="IntsUtils.java"><i>View Source</i></a> * * @author [email protected] * @version 1.0 * @since 1.0 */ public final class IntsUtils { private IntsUtils() {} /** * Integer转换为int,避免出现空指针的错误 * * @param value Integer值 * @return int值 */ public static int integer2int(Integer value) { return value == null ? 0 : value.intValue(); } /** * int转字符串,当value==null转换为空字符串 * * @param value integer数值 * @return 字符串 */ public static String int2String(Integer value) { if (value == null) { return ""; } return String.valueOf(value); } }
.version 52 0 .class public final super IntsUtils .super java/lang/Object .method private <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 33 L4 34 .end linenumbertable .end code .end method .method public static integer2int : (Ljava/lang/Integer;)I .code stack 1 locals 1 L0: aload_0 L1: ifnonnull L8 L4: iconst_0 L5: goto L12 .stack same L8: aload_0 L9: invokevirtual Method java/lang/Integer intValue ()I .stack stack_1 Integer L12: ireturn L13: .linenumbertable L0 43 .end linenumbertable .end code .end method .method public static int2String : (Ljava/lang/Integer;)Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: ifnonnull L7 L4: ldc '' L6: areturn .stack same L7: aload_0 L8: invokestatic Method java/lang/String valueOf (Ljava/lang/Object;)Ljava/lang/String; L11: areturn L12: .linenumbertable L0 53 L4 54 L7 56 .end linenumbertable .end code .end method .sourcefile 'IntsUtils.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 12:02:23 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 IntsUtils_ESTest extends IntsUtils_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Integer integer0 = new Integer((-52491)); int int0 = IntsUtils.integer2int(integer0); assertEquals((-52491), int0); } @Test(timeout = 4000) public void test1() throws Throwable { String string0 = IntsUtils.int2String((Integer) null); assertEquals("", string0); } @Test(timeout = 4000) public void test2() throws Throwable { Integer integer0 = new Integer(81776); String string0 = IntsUtils.int2String(integer0); assertEquals("81776", string0); } @Test(timeout = 4000) public void test3() throws Throwable { int int0 = IntsUtils.integer2int((Integer) null); assertEquals(0, int0); } @Test(timeout = 4000) public void test4() throws Throwable { Integer integer0 = new Integer(81776); int int0 = IntsUtils.integer2int(integer0); assertEquals(81776, int0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 12:02:23 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 IntsUtils_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 = "IntsUtils"; 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/tmpfxj9n5ka"); 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(IntsUtils_ESTest_scaffolding.class.getClassLoader() , "IntsUtils" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(IntsUtils_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "IntsUtils" ); } }
59
ByteArrayUtils
/* Copyright 2006, 2007, 2008 Markus Goetz, Sebastian Breier Webpage on http://p300.eu/ */ /* This file is part of p300. p300 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. p300 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 p300. If not, see <http://www.gnu.org/licenses/>. */ /* This file is part of p300. p300 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. p300 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 p300. If not, see <http://www.gnu.org/licenses/>. */ /* This file is part of p300. p300 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. p300 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 p300. If not, see <http://www.gnu.org/licenses/>. */ /** * Utilities for working on byte arrays Generally, these utilities won't change the original given * arrays. * * @author tomcat */ public class ByteArrayUtils { /** * Cut the arrays from position pos. Won't change the original array. * * @param b * @param pos * @return Copy of the array, only between pos and end */ public static byte[] cutAt(byte[] b, int pos) { if (b == null || pos <= 0) { return b; } if (pos >= b.length) { return new byte[0]; } byte[] rest = new byte[b.length - pos]; for (int i = 0; i < b.length - pos; i++) { rest[i] = b[i + pos]; } return rest; } /** * Add two arrays. Won't change the original array. * * @param b * @param b2 * @return A new array containing both arrays */ public static byte[] append(byte[] b, byte[] b2) { int bLength = 0; int b2Length = 0; if (b != null) { bLength = b.length; } if (b2 != null) { b2Length = b2.length; } byte[] result = new byte[bLength + b2Length]; for (int i = 0; i < bLength; i++) { result[i] = b[i]; } for (int i = bLength; i < bLength + b2Length; i++) { result[i] = b2[i - bLength]; } return result; } /** * Copy first "count" bytes from byte array. Won't change the original array. * * @param b * @param count * @return Copy of the first "count" bytes */ public static byte[] copy(byte[] b, int count) { int copy = 0; if (b != null) { copy = Math.min(b.length, count); } byte[] result = new byte[copy]; for (int i = 0; i < copy; i++) { result[i] = b[i]; } return result; } /** * Find the first occurrence of sub in b Work in progress * * @param b * @param sub * @return Position of the first match or -1 if not found */ public static int indexOf(byte[] b, byte[] sub) { if (b == null || sub == null) { return -1; } for (int i = 0; i < b.length - sub.length + 1; i++) { boolean matches = true; for (int j = 0; j < sub.length; j++) { if (b[i + j] != sub[j]) { matches = false; } } if (matches) { return i; } } return -1; } }
.version 52 0 .class public super ByteArrayUtils .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 64 .end linenumbertable .end code .end method .method public static cutAt : ([BI)[B .code stack 5 locals 4 L0: aload_0 L1: ifnull L8 L4: iload_1 L5: ifgt L10 .stack same L8: aload_0 L9: areturn .stack same L10: iload_1 L11: aload_0 L12: arraylength L13: if_icmplt L20 L16: iconst_0 L17: newarray byte L19: areturn .stack same L20: aload_0 L21: arraylength L22: iload_1 L23: isub L24: newarray byte L26: astore_2 L27: iconst_0 L28: istore_3 .stack append Object [B Integer L29: iload_3 L30: aload_0 L31: arraylength L32: iload_1 L33: isub L34: if_icmpge L51 L37: aload_2 L38: iload_3 L39: aload_0 L40: iload_3 L41: iload_1 L42: iadd L43: baload L44: bastore L45: iinc 3 1 L48: goto L29 .stack chop 1 L51: aload_2 L52: areturn L53: .linenumbertable L0 74 L8 75 L10 77 L16 78 L20 80 L27 81 L37 82 L45 81 L51 85 .end linenumbertable .end code .end method .method public static append : ([B[B)[B .code stack 5 locals 6 L0: iconst_0 L1: istore_2 L2: iconst_0 L3: istore_3 L4: aload_0 L5: ifnull L11 L8: aload_0 L9: arraylength L10: istore_2 .stack append Integer Integer L11: aload_1 L12: ifnull L18 L15: aload_1 L16: arraylength L17: istore_3 .stack same L18: iload_2 L19: iload_3 L20: iadd L21: newarray byte L23: astore 4 L25: iconst_0 L26: istore 5 .stack append Object [B Integer L28: iload 5 L30: iload_2 L31: if_icmpge L49 L34: aload 4 L36: iload 5 L38: aload_0 L39: iload 5 L41: baload L42: bastore L43: iinc 5 1 L46: goto L28 .stack chop 1 L49: iload_2 L50: istore 5 .stack append Integer L52: iload 5 L54: iload_2 L55: iload_3 L56: iadd L57: if_icmpge L77 L60: aload 4 L62: iload 5 L64: aload_1 L65: iload 5 L67: iload_2 L68: isub L69: baload L70: bastore L71: iinc 5 1 L74: goto L52 .stack chop 1 L77: aload 4 L79: areturn L80: .linenumbertable L0 96 L2 97 L4 98 L8 99 L11 101 L15 102 L18 105 L25 106 L34 107 L43 106 L49 109 L60 110 L71 109 L77 113 .end linenumbertable .end code .end method .method public static copy : ([BI)[B .code stack 4 locals 5 L0: iconst_0 L1: istore_2 L2: aload_0 L3: ifnull L13 L6: aload_0 L7: arraylength L8: iload_1 L9: invokestatic Method java/lang/Math min (II)I L12: istore_2 .stack append Integer L13: iload_2 L14: newarray byte L16: astore_3 L17: iconst_0 L18: istore 4 .stack append Object [B Integer L20: iload 4 L22: iload_2 L23: if_icmpge L40 L26: aload_3 L27: iload 4 L29: aload_0 L30: iload 4 L32: baload L33: bastore L34: iinc 4 1 L37: goto L20 .stack chop 1 L40: aload_3 L41: areturn L42: .linenumbertable L0 124 L2 125 L6 126 L13 128 L17 129 L26 130 L34 129 L40 133 .end linenumbertable .end code .end method .method public static indexOf : ([B[B)I .code stack 3 locals 5 L0: aload_0 L1: ifnull L8 L4: aload_1 L5: ifnonnull L10 .stack same L8: iconst_m1 L9: ireturn .stack same L10: iconst_0 L11: istore_2 .stack append Integer L12: iload_2 L13: aload_0 L14: arraylength L15: aload_1 L16: arraylength L17: isub L18: iconst_1 L19: iadd L20: if_icmpge L68 L23: iconst_1 L24: istore_3 L25: iconst_0 L26: istore 4 .stack append Integer Integer L28: iload 4 L30: aload_1 L31: arraylength L32: if_icmpge L56 L35: aload_0 L36: iload_2 L37: iload 4 L39: iadd L40: baload L41: aload_1 L42: iload 4 L44: baload L45: if_icmpeq L50 L48: iconst_0 L49: istore_3 .stack same L50: iinc 4 1 L53: goto L28 .stack chop 1 L56: iload_3 L57: ifeq L62 L60: iload_2 L61: ireturn .stack chop 1 L62: iinc 2 1 L65: goto L12 .stack chop 1 L68: iconst_m1 L69: ireturn L70: .linenumbertable L0 144 L8 145 L10 148 L23 149 L25 150 L35 151 L48 152 L50 150 L56 155 L60 156 L62 148 L68 160 .end linenumbertable .end code .end method .sourcefile 'ByteArrayUtils.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 00:34:10 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 ByteArrayUtils_ESTest extends ByteArrayUtils_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { byte[] byteArray0 = new byte[3]; int int0 = ByteArrayUtils.indexOf(byteArray0, byteArray0); assertEquals(0, int0); byte[] byteArray1 = ByteArrayUtils.cutAt(byteArray0, 1); byte[] byteArray2 = ByteArrayUtils.copy(byteArray1, 0); assertEquals(2, byteArray1.length); assertEquals(0, byteArray2.length); ByteArrayUtils.append((byte[]) null, byteArray0); assertNotSame(byteArray0, byteArray1); } @Test(timeout = 4000) public void test01() throws Throwable { byte[] byteArray0 = new byte[3]; int int0 = ByteArrayUtils.indexOf(byteArray0, byteArray0); assertEquals(0, int0); byte[] byteArray1 = ByteArrayUtils.cutAt(byteArray0, 1); byte[] byteArray2 = ByteArrayUtils.copy(byteArray1, 0); assertEquals(0, byteArray2.length); byte[] byteArray3 = ByteArrayUtils.append((byte[]) null, byteArray1); assertEquals(2, byteArray3.length); } @Test(timeout = 4000) public void test02() throws Throwable { byte[] byteArray0 = new byte[5]; byteArray0[0] = (byte) (-103); byte[] byteArray1 = new byte[7]; int int0 = ByteArrayUtils.indexOf(byteArray1, byteArray0); assertEquals((-1), int0); } @Test(timeout = 4000) public void test03() throws Throwable { byte[] byteArray0 = new byte[6]; byte[] byteArray1 = ByteArrayUtils.copy(byteArray0, (byte)19); ByteArrayUtils.indexOf(byteArray1, byteArray0); // Undeclared exception! try { ByteArrayUtils.copy(byteArray0, (-19152)); fail("Expecting exception: NegativeArraySizeException"); } catch(NegativeArraySizeException e) { // // no message in exception (getMessage() returned null) // verifyException("ByteArrayUtils", e); } } @Test(timeout = 4000) public void test04() throws Throwable { byte[] byteArray0 = new byte[3]; int int0 = ByteArrayUtils.indexOf(byteArray0, byteArray0); assertEquals(0, int0); byte[] byteArray1 = ByteArrayUtils.copy(byteArray0, 0); byte[] byteArray2 = ByteArrayUtils.copy(byteArray1, 0); byte[] byteArray3 = ByteArrayUtils.append((byte[]) null, byteArray2); assertEquals(0, byteArray3.length); byte[] byteArray4 = ByteArrayUtils.cutAt(byteArray0, 57680); assertEquals(0, byteArray4.length); } @Test(timeout = 4000) public void test05() throws Throwable { byte[] byteArray0 = new byte[4]; byte[] byteArray1 = new byte[2]; byte[] byteArray2 = ByteArrayUtils.append(byteArray1, byteArray0); assertNotSame(byteArray0, byteArray2); } @Test(timeout = 4000) public void test06() throws Throwable { byte[] byteArray0 = new byte[3]; int int0 = ByteArrayUtils.indexOf(byteArray0, byteArray0); assertEquals(0, int0); byte[] byteArray1 = ByteArrayUtils.cutAt(byteArray0, 1); byte[] byteArray2 = ByteArrayUtils.cutAt(byteArray1, 69714); assertEquals(0, byteArray2.length); byte[] byteArray3 = ByteArrayUtils.copy(byteArray1, 0); assertEquals(0, byteArray3.length); byte[] byteArray4 = ByteArrayUtils.cutAt(byteArray1, (byte)0); byte[] byteArray5 = ByteArrayUtils.append((byte[]) null, byteArray1); assertSame(byteArray1, byteArray4); assertEquals(2, byteArray5.length); } @Test(timeout = 4000) public void test07() throws Throwable { byte[] byteArray0 = ByteArrayUtils.append((byte[]) null, (byte[]) null); byte[] byteArray1 = ByteArrayUtils.cutAt(byteArray0, (-63706)); byte[] byteArray2 = ByteArrayUtils.append(byteArray0, (byte[]) null); ByteArrayUtils.cutAt((byte[]) null, 0); ByteArrayUtils.indexOf(byteArray2, (byte[]) null); ByteArrayUtils.append(byteArray1, byteArray1); byte[] byteArray3 = ByteArrayUtils.cutAt(byteArray1, 41703); // Undeclared exception! try { ByteArrayUtils.copy(byteArray3, (-63706)); fail("Expecting exception: NegativeArraySizeException"); } catch(NegativeArraySizeException e) { // // no message in exception (getMessage() returned null) // verifyException("ByteArrayUtils", e); } } @Test(timeout = 4000) public void test08() throws Throwable { byte[] byteArray0 = new byte[4]; byteArray0[1] = (byte) (-92); byte[] byteArray1 = new byte[2]; int int0 = ByteArrayUtils.indexOf(byteArray0, byteArray1); assertEquals(2, int0); } @Test(timeout = 4000) public void test09() throws Throwable { byte[] byteArray0 = new byte[6]; byte[] byteArray1 = ByteArrayUtils.copy(byteArray0, 0); int int0 = ByteArrayUtils.indexOf(byteArray1, byteArray0); assertEquals((-1), int0); assertEquals(0, byteArray1.length); ByteArrayUtils byteArrayUtils0 = new ByteArrayUtils(); byte[] byteArray2 = ByteArrayUtils.copy(byteArray0, (byte)19); int int1 = ByteArrayUtils.indexOf(byteArray2, byteArray0); assertEquals(0, int1); } @Test(timeout = 4000) public void test10() throws Throwable { byte[] byteArray0 = new byte[1]; int int0 = ByteArrayUtils.indexOf(byteArray0, byteArray0); assertEquals(0, int0); } @Test(timeout = 4000) public void test11() throws Throwable { byte[] byteArray0 = new byte[1]; byte[] byteArray1 = ByteArrayUtils.copy(byteArray0, (byte)46); assertArrayEquals(new byte[] {(byte)0}, byteArray1); } @Test(timeout = 4000) public void test12() throws Throwable { byte[] byteArray0 = ByteArrayUtils.copy((byte[]) null, 0); assertArrayEquals(new byte[] {}, byteArray0); } @Test(timeout = 4000) public void test13() throws Throwable { byte[] byteArray0 = ByteArrayUtils.append((byte[]) null, (byte[]) null); byte[] byteArray1 = ByteArrayUtils.cutAt(byteArray0, (-63706)); byte[] byteArray2 = ByteArrayUtils.append(byteArray1, byteArray1); int int0 = ByteArrayUtils.indexOf((byte[]) null, byteArray2); assertEquals((-1), int0); } @Test(timeout = 4000) public void test14() throws Throwable { byte[] byteArray0 = new byte[1]; byte[] byteArray1 = ByteArrayUtils.append(byteArray0, byteArray0); assertEquals(2, byteArray1.length); } @Test(timeout = 4000) public void test15() throws Throwable { byte[] byteArray0 = new byte[1]; byte[] byteArray1 = ByteArrayUtils.cutAt(byteArray0, 1); assertEquals(0, byteArray1.length); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 00:34: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 ByteArrayUtils_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 = "ByteArrayUtils"; 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/tmpvf1ts0ck"); 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(ByteArrayUtils_ESTest_scaffolding.class.getClassLoader() , "ByteArrayUtils" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ByteArrayUtils_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ByteArrayUtils" ); } }
60
Test
// "Remove redundant null-check" "true" import java.util.*; public class Test { public void test() { System.out.println(Integer.valueOf(55).hashCode()); } }
.version 52 0 .class public super Test .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 4 .end linenumbertable .end code .end method .method public test : ()V .code stack 2 locals 1 L0: getstatic Field java/lang/System out Ljava/io/PrintStream; L3: bipush 55 L5: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; L8: invokevirtual Method java/lang/Integer hashCode ()I L11: invokevirtual Method java/io/PrintStream println (I)V L14: return L15: .linenumbertable L0 6 L14 7 .end linenumbertable .end code .end method .sourcefile 'Test.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 20:13:11 GMT 2022 */ 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 Test_ESTest extends Test_ESTest_scaffolding { @org.junit.Test(timeout = 4000) public void test0() throws Throwable { Test test0 = new Test(); test0.test(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 20:13:11 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 Test_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 = "Test"; 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/tmp0ogyvccj"); 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(Test_ESTest_scaffolding.class.getClassLoader() , "Test" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Test_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Test" ); } }
61
WGLARBFramebufferSRGB
/* * Copyright LWJGL. All rights reserved. * License terms: https://www.lwjgl.org/license * MACHINE GENERATED FILE, DO NOT EDIT */ /** * Native bindings to the <a * href="http://www.opengl.org/registry/specs/ARB/framebuffer_sRGB.txt">WGL_ARB_framebuffer_sRGB</a> * extension. * * <p>WGL functionality for {@link ARBFramebufferSRGB ARB_framebuffer_sRGB}. * * <p>Requires {@link WGLEXTExtensionsString WGL_EXT_extensions_string}, {@link WGLARBPixelFormat * WGL_ARB_pixel_format} and {@link ARBFramebufferObject ARB_framebuffer_object}. */ public final class WGLARBFramebufferSRGB { /** * Accepted by the {@code attributes} parameter of {@link * WGLARBPixelFormat#wglGetPixelFormatAttribiARB GetPixelFormatAttribiARB} and the {@code * attribIList} of {@link WGLARBPixelFormat#wglChoosePixelFormatARB ChoosePixelFormatARB}. */ public static final int WGL_FRAMEBUFFER_SRGB_CAPABLE_ARB = 0x20A9; private WGLARBFramebufferSRGB() {} }
.version 52 0 .class public final super WGLARBFramebufferSRGB .super java/lang/Object .field public static final WGL_FRAMEBUFFER_SRGB_CAPABLE_ARB I = 8361 .method private <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 23 .end linenumbertable .end code .end method .sourcefile 'WGLARBFramebufferSRGB.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 14:38:27 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 WGLARBFramebufferSRGB_ESTest extends WGLARBFramebufferSRGB_ESTest_scaffolding { @Test public void notGeneratedAnyTest() { // EvoSuite did not generate any tests } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 14:38:27 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class WGLARBFramebufferSRGB_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); 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 = "WGLARBFramebufferSRGB"; 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(); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); 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() { /*No java.lang.System property to set*/ } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(WGLARBFramebufferSRGB_ESTest_scaffolding.class.getClassLoader() , "WGLARBFramebufferSRGB" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(WGLARBFramebufferSRGB_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "WGLARBFramebufferSRGB" ); } }
62
MockSyslogServer
/* * 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. */ import java.util.ArrayList; import java.util.List; public abstract class MockSyslogServer extends Thread { protected List<String> messageList; protected int port; private final int numberOfMessagesToReceive; public MockSyslogServer(final int numberOfMessagesToReceive, final int port) { this.numberOfMessagesToReceive = numberOfMessagesToReceive; this.messageList = new ArrayList<>(); this.port = port; } @Override public void run() {} public void shutdown() {} public int getNumberOfReceivedMessages() { return messageList.size(); } public List<String> getMessageList() { return messageList; } }
.version 52 0 .class public super abstract MockSyslogServer .super java/lang/Thread .field protected messageList Ljava/util/List; .fieldattributes .signature Ljava/util/List<Ljava/lang/String;>; .end fieldattributes .field protected port I .field private final numberOfMessagesToReceive I .method public <init> : (II)V .code stack 3 locals 3 L0: aload_0 L1: invokespecial Method java/lang/Thread <init> ()V L4: aload_0 L5: iload_1 L6: putfield Field MockSyslogServer numberOfMessagesToReceive I L9: aload_0 L10: new java/util/ArrayList L13: dup L14: invokespecial Method java/util/ArrayList <init> ()V L17: putfield Field MockSyslogServer messageList Ljava/util/List; L20: aload_0 L21: iload_2 L22: putfield Field MockSyslogServer port I L25: return L26: .linenumbertable L0 27 L4 28 L9 29 L20 30 L25 31 .end linenumbertable .end code .end method .method public run : ()V .code stack 0 locals 1 L0: return L1: .linenumbertable L0 36 .end linenumbertable .end code .end method .method public shutdown : ()V .code stack 0 locals 1 L0: return L1: .linenumbertable L0 40 .end linenumbertable .end code .end method .method public getNumberOfReceivedMessages : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field MockSyslogServer messageList Ljava/util/List; L4: invokeinterface InterfaceMethod java/util/List size ()I 1 L9: ireturn L10: .linenumbertable L0 43 .end linenumbertable .end code .end method .method public getMessageList : ()Ljava/util/List; .code stack 1 locals 1 L0: aload_0 L1: getfield Field MockSyslogServer messageList Ljava/util/List; L4: areturn L5: .linenumbertable L0 47 .end linenumbertable .end code .signature ()Ljava/util/List<Ljava/lang/String;>; .end method .sourcefile 'MockSyslogServer.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 13:03:28 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 MockSyslogServer_ESTest extends MockSyslogServer_ESTest_scaffolding { @Test public void notGeneratedAnyTest() { // EvoSuite did not generate any tests } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 13:03:28 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class MockSyslogServer_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); 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 = "MockSyslogServer"; 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(); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); 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() { /*No java.lang.System property to set*/ } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MockSyslogServer_ESTest_scaffolding.class.getClassLoader() , "MockSyslogServer" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MockSyslogServer_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "MockSyslogServer" ); } }
63
SizeLimitInputStream
/* * Input stream wrapper with a byte limit. * Copyright (C) 2004 Stephen Ostermiller * http://ostermiller.org/contact.pl?regarding=Java+Utilities * * 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 2 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. * * See COPYING.TXT for details. */ import java.io.IOException; import java.io.InputStream; /** * An input stream wrapper that will read only a set number of bytes from the underlying stream. * * @author Stephen Ostermiller http://ostermiller.org/contact.pl?regarding=Java+Utilities * @since ostermillerutils 1.04.00 */ public class SizeLimitInputStream extends InputStream { /** * The input stream that is being protected. All methods should be forwarded to it, after checking * the size that has been read. * * @since ostermillerutils 1.04.00 */ protected InputStream in; /** * The number of bytes to read at most from this Stream. Read methods should check to ensure that * bytesRead never exceeds maxBytesToRead. * * @since ostermillerutils 1.04.00 */ protected long maxBytesToRead = 0; /** * The number of bytes that have been read from this stream. Read methods should check to ensure * that bytesRead never exceeds maxBytesToRead. * * @since ostermillerutils 1.04.00 */ protected long bytesRead = 0; /** * The number of bytes that have been read from this stream since mark() was called. * * @since ostermillerutils 1.04.00 */ protected long bytesReadSinceMark = 0; /** * The number of bytes the user has request to have been marked for reset. * * @since ostermillerutils 1.04.00 */ protected long markReadLimitBytes = -1; /** * Get the number of bytes actually read from this stream. * * @return number of bytes that have already been taken from this stream. * @since ostermillerutils 1.04.00 */ public long getBytesRead() { return bytesRead; } /** * Get the maximum number of bytes left to read before the limit (set in the constructor) is * reached. * * @return The number of bytes that (at a maximum) are left to be taken from this stream. * @since ostermillerutils 1.04.00 */ public long getBytesLeft() { return maxBytesToRead - bytesRead; } /** * Tell whether the number of bytes specified in the constructor have been read yet. * * @return true iff the specified number of bytes have all been read. * @since ostermillerutils 1.04.00 */ public boolean allBytesRead() { return getBytesLeft() == 0; } /** * Get the number of total bytes (including bytes already read) that can be read from this stream * (as set in the constructor). * * @return Maximum bytes that can be read until the size limit runs out * @since ostermillerutils 1.04.00 */ public long getMaxBytesToRead() { return maxBytesToRead; } /** * Create a new size limit input stream from another stream given a size limit. * * @param in The input stream. * @param maxBytesToRead the max number of bytes to allow to be read from the underlying stream. * @since ostermillerutils 1.04.00 */ public SizeLimitInputStream(InputStream in, long maxBytesToRead) { this.in = in; this.maxBytesToRead = maxBytesToRead; } /** {@inheritDoc} */ @Override public int read() throws IOException { if (bytesRead >= maxBytesToRead) { return -1; } int b = in.read(); if (b != -1) { bytesRead++; bytesReadSinceMark++; } return b; } /** {@inheritDoc} */ @Override public int read(byte[] b) throws IOException { return this.read(b, 0, b.length); } /** {@inheritDoc} */ @Override public int read(byte[] b, int off, int len) throws IOException { if (bytesRead >= maxBytesToRead) { return -1; } long bytesLeft = getBytesLeft(); if (len > bytesLeft) { len = (int) bytesLeft; } int bytesJustRead = in.read(b, off, len); bytesRead += bytesJustRead; bytesReadSinceMark += bytesJustRead; return bytesJustRead; } /** {@inheritDoc} */ @Override public long skip(long n) throws IOException { if (bytesRead >= maxBytesToRead) { return -1; } long bytesLeft = getBytesLeft(); if (n > bytesLeft) { n = bytesLeft; } return in.skip(n); } /** {@inheritDoc} */ @Override public int available() throws IOException { int available = in.available(); long bytesLeft = getBytesLeft(); if (available > bytesLeft) { available = (int) bytesLeft; } return available; } /** * Close this stream and underlying streams. Calling this method may make data on the underlying * stream unavailable. * * <p>Consider wrapping this stream in a NoCloseStream so that clients can call close() with no * effect. * * @since ostermillerutils 1.04.00 */ @Override public void close() throws IOException { in.close(); } /** {@inheritDoc} */ @Override public synchronized void mark(int readlimit) { if (in.markSupported()) { markReadLimitBytes = readlimit; bytesReadSinceMark = 0; in.mark(readlimit); } } /** {@inheritDoc} */ @Override public synchronized void reset() throws IOException { if (in.markSupported() && bytesReadSinceMark <= markReadLimitBytes) { bytesRead -= bytesReadSinceMark; in.reset(); bytesReadSinceMark = 0; } } /** {@inheritDoc} */ @Override public boolean markSupported() { return in.markSupported(); } }
.version 52 0 .class public super SizeLimitInputStream .super java/io/InputStream .field protected in Ljava/io/InputStream; .field protected maxBytesToRead J .field protected bytesRead J .field protected bytesReadSinceMark J .field protected markReadLimitBytes J .method public getBytesRead : ()J .code stack 2 locals 1 L0: aload_0 L1: getfield Field SizeLimitInputStream bytesRead J L4: lreturn L5: .linenumbertable L0 81 .end linenumbertable .end code .end method .method public getBytesLeft : ()J .code stack 4 locals 1 L0: aload_0 L1: getfield Field SizeLimitInputStream maxBytesToRead J L4: aload_0 L5: getfield Field SizeLimitInputStream bytesRead J L8: lsub L9: lreturn L10: .linenumbertable L0 94 .end linenumbertable .end code .end method .method public allBytesRead : ()Z .code stack 4 locals 1 L0: aload_0 L1: invokevirtual Method SizeLimitInputStream getBytesLeft ()J L4: lconst_0 L5: lcmp L6: ifne L13 L9: iconst_1 L10: goto L14 .stack same L13: iconst_0 .stack stack_1 Integer L14: ireturn L15: .linenumbertable L0 106 .end linenumbertable .end code .end method .method public getMaxBytesToRead : ()J .code stack 2 locals 1 L0: aload_0 L1: getfield Field SizeLimitInputStream maxBytesToRead J L4: lreturn L5: .linenumbertable L0 118 .end linenumbertable .end code .end method .method public <init> : (Ljava/io/InputStream;J)V .code stack 3 locals 4 L0: aload_0 L1: invokespecial Method java/io/InputStream <init> ()V L4: aload_0 L5: lconst_0 L6: putfield Field SizeLimitInputStream maxBytesToRead J L9: aload_0 L10: lconst_0 L11: putfield Field SizeLimitInputStream bytesRead J L14: aload_0 L15: lconst_0 L16: putfield Field SizeLimitInputStream bytesReadSinceMark J L19: aload_0 L20: ldc2_w -1L L23: putfield Field SizeLimitInputStream markReadLimitBytes J L26: aload_0 L27: aload_1 L28: putfield Field SizeLimitInputStream in Ljava/io/InputStream; L31: aload_0 L32: lload_2 L33: putfield Field SizeLimitInputStream maxBytesToRead J L36: return L37: .linenumbertable L0 133 L4 48 L9 56 L14 64 L19 71 L26 134 L31 135 L36 136 .end linenumbertable .end code .end method .method public read : ()I .code stack 5 locals 2 L0: aload_0 L1: getfield Field SizeLimitInputStream bytesRead J L4: aload_0 L5: getfield Field SizeLimitInputStream maxBytesToRead J L8: lcmp L9: iflt L14 L12: iconst_m1 L13: ireturn .stack same L14: aload_0 L15: getfield Field SizeLimitInputStream in Ljava/io/InputStream; L18: invokevirtual Method java/io/InputStream read ()I L21: istore_1 L22: iload_1 L23: iconst_m1 L24: if_icmpeq L47 L27: aload_0 L28: dup L29: getfield Field SizeLimitInputStream bytesRead J L32: lconst_1 L33: ladd L34: putfield Field SizeLimitInputStream bytesRead J L37: aload_0 L38: dup L39: getfield Field SizeLimitInputStream bytesReadSinceMark J L42: lconst_1 L43: ladd L44: putfield Field SizeLimitInputStream bytesReadSinceMark J .stack append Integer L47: iload_1 L48: ireturn L49: .linenumbertable L0 143 L12 144 L14 146 L22 147 L27 148 L37 149 L47 151 .end linenumbertable .end code .exceptions java/io/IOException .end method .method public read : ([B)I .code stack 4 locals 2 L0: aload_0 L1: aload_1 L2: iconst_0 L3: aload_1 L4: arraylength L5: invokevirtual Method SizeLimitInputStream read ([BII)I L8: ireturn L9: .linenumbertable L0 159 .end linenumbertable .end code .exceptions java/io/IOException .end method .method public read : ([BII)I .code stack 5 locals 7 L0: aload_0 L1: getfield Field SizeLimitInputStream bytesRead J L4: aload_0 L5: getfield Field SizeLimitInputStream maxBytesToRead J L8: lcmp L9: iflt L14 L12: iconst_m1 L13: ireturn .stack same L14: aload_0 L15: invokevirtual Method SizeLimitInputStream getBytesLeft ()J L18: lstore 4 L20: iload_3 L21: i2l L22: lload 4 L24: lcmp L25: ifle L32 L28: lload 4 L30: l2i L31: istore_3 .stack append Long L32: aload_0 L33: getfield Field SizeLimitInputStream in Ljava/io/InputStream; L36: aload_1 L37: iload_2 L38: iload_3 L39: invokevirtual Method java/io/InputStream read ([BII)I L42: istore 6 L44: aload_0 L45: dup L46: getfield Field SizeLimitInputStream bytesRead J L49: iload 6 L51: i2l L52: ladd L53: putfield Field SizeLimitInputStream bytesRead J L56: aload_0 L57: dup L58: getfield Field SizeLimitInputStream bytesReadSinceMark J L61: iload 6 L63: i2l L64: ladd L65: putfield Field SizeLimitInputStream bytesReadSinceMark J L68: iload 6 L70: ireturn L71: .linenumbertable L0 167 L12 168 L14 170 L20 171 L28 172 L32 174 L44 175 L56 176 L68 177 .end linenumbertable .end code .exceptions java/io/IOException .end method .method public skip : (J)J .code stack 4 locals 5 L0: aload_0 L1: getfield Field SizeLimitInputStream bytesRead J L4: aload_0 L5: getfield Field SizeLimitInputStream maxBytesToRead J L8: lcmp L9: iflt L16 L12: ldc2_w -1L L15: lreturn .stack same L16: aload_0 L17: invokevirtual Method SizeLimitInputStream getBytesLeft ()J L20: lstore_3 L21: lload_1 L22: lload_3 L23: lcmp L24: ifle L29 L27: lload_3 L28: lstore_1 .stack append Long L29: aload_0 L30: getfield Field SizeLimitInputStream in Ljava/io/InputStream; L33: lload_1 L34: invokevirtual Method java/io/InputStream skip (J)J L37: lreturn L38: .linenumbertable L0 185 L12 186 L16 188 L21 189 L27 190 L29 192 .end linenumbertable .end code .exceptions java/io/IOException .end method .method public available : ()I .code stack 4 locals 4 L0: aload_0 L1: getfield Field SizeLimitInputStream in Ljava/io/InputStream; L4: invokevirtual Method java/io/InputStream available ()I L7: istore_1 L8: aload_0 L9: invokevirtual Method SizeLimitInputStream getBytesLeft ()J L12: lstore_2 L13: iload_1 L14: i2l L15: lload_2 L16: lcmp L17: ifle L23 L20: lload_2 L21: l2i L22: istore_1 .stack append Integer Long L23: iload_1 L24: ireturn L25: .linenumbertable L0 200 L8 201 L13 202 L20 203 L23 205 .end linenumbertable .end code .exceptions java/io/IOException .end method .method public close : ()V .code stack 1 locals 1 L0: aload_0 L1: getfield Field SizeLimitInputStream in Ljava/io/InputStream; L4: invokevirtual Method java/io/InputStream close ()V L7: return L8: .linenumbertable L0 219 L7 220 .end linenumbertable .end code .exceptions java/io/IOException .end method .method public synchronized mark : (I)V .code stack 3 locals 2 L0: aload_0 L1: getfield Field SizeLimitInputStream in Ljava/io/InputStream; L4: invokevirtual Method java/io/InputStream markSupported ()Z L7: ifeq L29 L10: aload_0 L11: iload_1 L12: i2l L13: putfield Field SizeLimitInputStream markReadLimitBytes J L16: aload_0 L17: lconst_0 L18: putfield Field SizeLimitInputStream bytesReadSinceMark J L21: aload_0 L22: getfield Field SizeLimitInputStream in Ljava/io/InputStream; L25: iload_1 L26: invokevirtual Method java/io/InputStream mark (I)V .stack same L29: return L30: .linenumbertable L0 227 L10 228 L16 229 L21 230 L29 232 .end linenumbertable .end code .end method .method public synchronized reset : ()V .code stack 5 locals 1 L0: aload_0 L1: getfield Field SizeLimitInputStream in Ljava/io/InputStream; L4: invokevirtual Method java/io/InputStream markSupported ()Z L7: ifeq L47 L10: aload_0 L11: getfield Field SizeLimitInputStream bytesReadSinceMark J L14: aload_0 L15: getfield Field SizeLimitInputStream markReadLimitBytes J L18: lcmp L19: ifgt L47 L22: aload_0 L23: dup L24: getfield Field SizeLimitInputStream bytesRead J L27: aload_0 L28: getfield Field SizeLimitInputStream bytesReadSinceMark J L31: lsub L32: putfield Field SizeLimitInputStream bytesRead J L35: aload_0 L36: getfield Field SizeLimitInputStream in Ljava/io/InputStream; L39: invokevirtual Method java/io/InputStream reset ()V L42: aload_0 L43: lconst_0 L44: putfield Field SizeLimitInputStream bytesReadSinceMark J .stack same L47: return L48: .linenumbertable L0 239 L22 240 L35 241 L42 242 L47 244 .end linenumbertable .end code .exceptions java/io/IOException .end method .method public markSupported : ()Z .code stack 1 locals 1 L0: aload_0 L1: getfield Field SizeLimitInputStream in Ljava/io/InputStream; L4: invokevirtual Method java/io/InputStream markSupported ()Z L7: ireturn L8: .linenumbertable L0 251 .end linenumbertable .end code .end method .sourcefile 'SizeLimitInputStream.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 19:43:49 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.shaded.org.mockito.Mockito.*; import static org.evosuite.runtime.EvoAssertions.*; import java.io.BufferedInputStream; import java.io.ByteArrayInputStream; import java.io.DataInputStream; import java.io.FileDescriptor; import java.io.IOException; import java.io.InputStream; import java.io.PipedInputStream; import java.io.PipedOutputStream; import java.io.SequenceInputStream; import java.util.Enumeration; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.evosuite.runtime.ViolatedAssumptionAnswer; import org.evosuite.runtime.mock.java.io.MockFileInputStream; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class SizeLimitInputStream_ESTest extends SizeLimitInputStream_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { byte[] byteArray0 = new byte[4]; ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0, (-3112), 0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(byteArrayInputStream0, (-38849L)); sizeLimitInputStream0.reset(); assertEquals(0L, sizeLimitInputStream0.getBytesRead()); } @Test(timeout = 4000) public void test01() throws Throwable { PipedInputStream pipedInputStream0 = new PipedInputStream(); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(pipedInputStream0, 0L); int int0 = sizeLimitInputStream0.available(); assertEquals(0, int0); } @Test(timeout = 4000) public void test02() throws Throwable { byte[] byteArray0 = new byte[5]; ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0, (byte)0, 1); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(byteArrayInputStream0, 0L); long long0 = sizeLimitInputStream0.skip(0L); assertEquals((-1L), long0); assertEquals(0L, sizeLimitInputStream0.getBytesRead()); } @Test(timeout = 4000) public void test03() throws Throwable { byte[] byteArray0 = new byte[9]; ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(byteArrayInputStream0, 0L); sizeLimitInputStream0.bytesRead = 0L; sizeLimitInputStream0.bytesRead = 46247L; int int0 = sizeLimitInputStream0.read(); assertEquals((-46247L), sizeLimitInputStream0.getBytesLeft()); assertEquals((-1), int0); } @Test(timeout = 4000) public void test04() throws Throwable { PipedOutputStream pipedOutputStream0 = new PipedOutputStream(); PipedInputStream pipedInputStream0 = new PipedInputStream(pipedOutputStream0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(pipedInputStream0, 1L); boolean boolean0 = sizeLimitInputStream0.allBytesRead(); assertEquals(1L, sizeLimitInputStream0.getBytesLeft()); assertFalse(boolean0); } @Test(timeout = 4000) public void test05() throws Throwable { byte[] byteArray0 = new byte[5]; byteArray0[0] = (byte)21; ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(byteArrayInputStream0, (byte)0); sizeLimitInputStream0.bytesRead = (-19651L); int int0 = sizeLimitInputStream0.read(); assertEquals(4, byteArrayInputStream0.available()); assertEquals(21, int0); } @Test(timeout = 4000) public void test06() throws Throwable { Enumeration<InputStream> enumeration0 = (Enumeration<InputStream>) mock(Enumeration.class, new ViolatedAssumptionAnswer()); doReturn(false).when(enumeration0).hasMoreElements(); SequenceInputStream sequenceInputStream0 = new SequenceInputStream(enumeration0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(sequenceInputStream0, (-96012L)); sizeLimitInputStream0.markSupported(); assertEquals((-96012L), sizeLimitInputStream0.getBytesLeft()); } @Test(timeout = 4000) public void test07() throws Throwable { PipedOutputStream pipedOutputStream0 = new PipedOutputStream(); PipedInputStream pipedInputStream0 = new PipedInputStream(pipedOutputStream0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(pipedInputStream0, 1L); long long0 = sizeLimitInputStream0.getMaxBytesToRead(); assertEquals(1L, long0); assertFalse(sizeLimitInputStream0.allBytesRead()); } @Test(timeout = 4000) public void test08() throws Throwable { byte[] byteArray0 = new byte[4]; ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0); BufferedInputStream bufferedInputStream0 = new BufferedInputStream(byteArrayInputStream0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(bufferedInputStream0, (-8567L)); long long0 = sizeLimitInputStream0.getMaxBytesToRead(); assertEquals((-8567L), long0); assertEquals((-8567L), sizeLimitInputStream0.getBytesLeft()); } @Test(timeout = 4000) public void test09() throws Throwable { byte[] byteArray0 = new byte[5]; ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(byteArrayInputStream0, (byte)0); sizeLimitInputStream0.bytesRead = (-19651L); long long0 = sizeLimitInputStream0.getBytesRead(); assertEquals((-19651L), long0); } @Test(timeout = 4000) public void test10() throws Throwable { PipedOutputStream pipedOutputStream0 = new PipedOutputStream(); PipedInputStream pipedInputStream0 = new PipedInputStream(pipedOutputStream0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(pipedInputStream0, 1L); long long0 = sizeLimitInputStream0.getBytesLeft(); assertEquals(1L, long0); } @Test(timeout = 4000) public void test11() throws Throwable { PipedOutputStream pipedOutputStream0 = new PipedOutputStream(); PipedInputStream pipedInputStream0 = new PipedInputStream(pipedOutputStream0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(pipedInputStream0, 1L); byte[] byteArray0 = new byte[9]; // Undeclared exception! try { sizeLimitInputStream0.read(byteArray0, (int) (byte)71, (int) (byte)46); fail("Expecting exception: IndexOutOfBoundsException"); } catch(IndexOutOfBoundsException e) { // // no message in exception (getMessage() returned null) // verifyException("java.io.PipedInputStream", e); } } @Test(timeout = 4000) public void test12() throws Throwable { Enumeration<InputStream> enumeration0 = (Enumeration<InputStream>) mock(Enumeration.class, new ViolatedAssumptionAnswer()); doReturn(false).when(enumeration0).hasMoreElements(); SequenceInputStream sequenceInputStream0 = new SequenceInputStream(enumeration0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(sequenceInputStream0, (-96012L)); byte[] byteArray0 = new byte[3]; int int0 = sizeLimitInputStream0.read(byteArray0, (-1), (int) (byte) (-1)); assertEquals((-1), int0); assertEquals((-96012L), sizeLimitInputStream0.getBytesLeft()); } @Test(timeout = 4000) public void test13() throws Throwable { Enumeration<InputStream> enumeration0 = (Enumeration<InputStream>) mock(Enumeration.class, new ViolatedAssumptionAnswer()); doReturn(false).when(enumeration0).hasMoreElements(); SequenceInputStream sequenceInputStream0 = new SequenceInputStream(enumeration0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(sequenceInputStream0, (-96012L)); long long0 = sizeLimitInputStream0.getBytesLeft(); assertEquals((-96012L), long0); } @Test(timeout = 4000) public void test14() throws Throwable { byte[] byteArray0 = new byte[4]; ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0); BufferedInputStream bufferedInputStream0 = new BufferedInputStream(byteArrayInputStream0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(bufferedInputStream0, (-8567L)); sizeLimitInputStream0.mark(13837); sizeLimitInputStream0.reset(); sizeLimitInputStream0.reset(); sizeLimitInputStream0.markSupported(); long long0 = sizeLimitInputStream0.getMaxBytesToRead(); assertEquals((-8567L), long0); int int0 = sizeLimitInputStream0.read(byteArray0, (int) (byte) (-113), (-18399)); assertEquals((-8567L), sizeLimitInputStream0.getBytesLeft()); assertEquals((-1), int0); } @Test(timeout = 4000) public void test15() throws Throwable { Enumeration<InputStream> enumeration0 = (Enumeration<InputStream>) mock(Enumeration.class, new ViolatedAssumptionAnswer()); doReturn(false).when(enumeration0).hasMoreElements(); SequenceInputStream sequenceInputStream0 = new SequenceInputStream(enumeration0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(sequenceInputStream0, (-96012L)); sizeLimitInputStream0.reset(); assertEquals((-96012L), sizeLimitInputStream0.getBytesLeft()); } @Test(timeout = 4000) public void test16() throws Throwable { Enumeration<InputStream> enumeration0 = (Enumeration<InputStream>) mock(Enumeration.class, new ViolatedAssumptionAnswer()); doReturn(false).when(enumeration0).hasMoreElements(); SequenceInputStream sequenceInputStream0 = new SequenceInputStream(enumeration0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(sequenceInputStream0, (-96012L)); sizeLimitInputStream0.mark(0); assertEquals((-96012L), sizeLimitInputStream0.getBytesLeft()); } @Test(timeout = 4000) public void test17() throws Throwable { Enumeration<InputStream> enumeration0 = (Enumeration<InputStream>) mock(Enumeration.class, new ViolatedAssumptionAnswer()); doReturn(false).when(enumeration0).hasMoreElements(); SequenceInputStream sequenceInputStream0 = new SequenceInputStream(enumeration0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(sequenceInputStream0, (-96012L)); int int0 = sizeLimitInputStream0.available(); assertEquals((-96012), int0); } @Test(timeout = 4000) public void test18() throws Throwable { PipedOutputStream pipedOutputStream0 = new PipedOutputStream(); PipedInputStream pipedInputStream0 = new PipedInputStream(pipedOutputStream0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(pipedInputStream0, 1L); int int0 = sizeLimitInputStream0.available(); assertEquals(0, int0); assertFalse(sizeLimitInputStream0.allBytesRead()); } @Test(timeout = 4000) public void test19() throws Throwable { Enumeration<InputStream> enumeration0 = (Enumeration<InputStream>) mock(Enumeration.class, new ViolatedAssumptionAnswer()); doReturn(false).when(enumeration0).hasMoreElements(); SequenceInputStream sequenceInputStream0 = new SequenceInputStream(enumeration0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(sequenceInputStream0, (-96012L)); long long0 = sizeLimitInputStream0.skip(1L); assertEquals((-1L), long0); assertEquals(0L, sizeLimitInputStream0.getBytesRead()); } @Test(timeout = 4000) public void test20() throws Throwable { PipedInputStream pipedInputStream0 = new PipedInputStream(52433); DataInputStream dataInputStream0 = new DataInputStream(pipedInputStream0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(dataInputStream0, 52433); long long0 = sizeLimitInputStream0.skip((-26846L)); assertEquals(0L, long0); sizeLimitInputStream0.mark((-59536)); assertEquals(52433L, sizeLimitInputStream0.getBytesLeft()); } @Test(timeout = 4000) public void test21() throws Throwable { Enumeration<DataInputStream> enumeration0 = (Enumeration<DataInputStream>) mock(Enumeration.class, new ViolatedAssumptionAnswer()); doReturn(false).when(enumeration0).hasMoreElements(); SequenceInputStream sequenceInputStream0 = new SequenceInputStream(enumeration0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(sequenceInputStream0, 1L); byte[] byteArray0 = new byte[9]; int int0 = sizeLimitInputStream0.read(byteArray0, (-59301), (int) (byte)0); assertEquals((-1L), sizeLimitInputStream0.getBytesRead()); assertEquals((-1), int0); } @Test(timeout = 4000) public void test22() throws Throwable { PipedOutputStream pipedOutputStream0 = new PipedOutputStream(); PipedInputStream pipedInputStream0 = new PipedInputStream(pipedOutputStream0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(pipedInputStream0, 1L); byte[] byteArray0 = new byte[4]; sizeLimitInputStream0.close(); try { sizeLimitInputStream0.read(byteArray0); fail("Expecting exception: IOException"); } catch(IOException e) { // // Pipe closed // verifyException("java.io.PipedInputStream", e); } } @Test(timeout = 4000) public void test23() throws Throwable { byte[] byteArray0 = new byte[9]; ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(byteArrayInputStream0, 0L); int int0 = sizeLimitInputStream0.read(); assertTrue(sizeLimitInputStream0.allBytesRead()); assertEquals((-1), int0); } @Test(timeout = 4000) public void test24() throws Throwable { byte[] byteArray0 = new byte[5]; ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(byteArrayInputStream0, (byte)0); sizeLimitInputStream0.bytesRead = (-19651L); int int0 = sizeLimitInputStream0.read(); assertEquals(4, byteArrayInputStream0.available()); assertEquals(0, int0); } @Test(timeout = 4000) public void test25() throws Throwable { byte[] byteArray0 = new byte[9]; ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(byteArrayInputStream0, 0L); sizeLimitInputStream0.bytesRead = 0L; sizeLimitInputStream0.bytesRead = 46247L; boolean boolean0 = sizeLimitInputStream0.allBytesRead(); assertEquals((-46247L), sizeLimitInputStream0.getBytesLeft()); assertFalse(boolean0); } @Test(timeout = 4000) public void test26() throws Throwable { FileDescriptor fileDescriptor0 = new FileDescriptor(); MockFileInputStream mockFileInputStream0 = new MockFileInputStream(fileDescriptor0); DataInputStream dataInputStream0 = new DataInputStream(mockFileInputStream0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(dataInputStream0, 0L); byte[] byteArray0 = new byte[5]; int int0 = sizeLimitInputStream0.read(byteArray0); assertEquals((-1), int0); assertTrue(sizeLimitInputStream0.allBytesRead()); } @Test(timeout = 4000) public void test27() throws Throwable { FileDescriptor fileDescriptor0 = new FileDescriptor(); MockFileInputStream mockFileInputStream0 = new MockFileInputStream(fileDescriptor0); DataInputStream dataInputStream0 = new DataInputStream(mockFileInputStream0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(dataInputStream0, 0L); sizeLimitInputStream0.getMaxBytesToRead(); assertEquals(0L, sizeLimitInputStream0.getBytesRead()); } @Test(timeout = 4000) public void test28() throws Throwable { FileDescriptor fileDescriptor0 = new FileDescriptor(); MockFileInputStream mockFileInputStream0 = new MockFileInputStream(fileDescriptor0); DataInputStream dataInputStream0 = new DataInputStream(mockFileInputStream0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(dataInputStream0, 0L); boolean boolean0 = sizeLimitInputStream0.allBytesRead(); assertTrue(boolean0); } @Test(timeout = 4000) public void test29() throws Throwable { FileDescriptor fileDescriptor0 = new FileDescriptor(); MockFileInputStream mockFileInputStream0 = new MockFileInputStream(fileDescriptor0); DataInputStream dataInputStream0 = new DataInputStream(mockFileInputStream0); SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(dataInputStream0, 0L); long long0 = sizeLimitInputStream0.getBytesRead(); assertEquals(0L, long0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 19:43: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; import static org.evosuite.shaded.org.mockito.Mockito.*; @EvoSuiteClassExclude public class SizeLimitInputStream_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 = "SizeLimitInputStream"; 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/tmpxta35hrx"); 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(SizeLimitInputStream_ESTest_scaffolding.class.getClassLoader() , "SizeLimitInputStream" ); } private static void initMocksToAvoidTimeoutsInTheTests() throws ClassNotFoundException { mock(Class.forName("java.util.Enumeration", false, SizeLimitInputStream_ESTest_scaffolding.class.getClassLoader())); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SizeLimitInputStream_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "SizeLimitInputStream" ); } }
64
SocialMediaPlatform
/* * To change this license header, choose License Headers in Project Properties. * To change this template file, choose Tools | Templates * and open the template in the editor. */ /** * @author 15367519 */ public class SocialMediaPlatform { private final String name; public SocialMediaPlatform(String name) { this.name = name; } }
.version 52 0 .class public super SocialMediaPlatform .super java/lang/Object .field private final name Ljava/lang/String; .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 SocialMediaPlatform name Ljava/lang/String; L9: return L10: .linenumbertable L0 16 L4 17 L9 18 .end linenumbertable .end code .end method .sourcefile 'SocialMediaPlatform.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 12:16:31 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 SocialMediaPlatform_ESTest extends SocialMediaPlatform_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { SocialMediaPlatform socialMediaPlatform0 = new SocialMediaPlatform("LR"); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 12:16:31 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 SocialMediaPlatform_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 = "SocialMediaPlatform"; 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/tmp3p_oixvg"); 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(SocialMediaPlatform_ESTest_scaffolding.class.getClassLoader() , "SocialMediaPlatform" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SocialMediaPlatform_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "SocialMediaPlatform" ); } }
65
Message
public class Message { private String title; private String body; private long timestamp; public String getTitle() { return title; } public void setTitle(String title) { this.title = title; } public String getBody() { return body; } public void setBody(String body) { this.body = body; } public long getTimestamp() { return timestamp; } public void setTimestamp(long timestamp) { this.timestamp = timestamp; } }
.version 52 0 .class public super Message .super java/lang/Object .field private title Ljava/lang/String; .field private body Ljava/lang/String; .field private timestamp J .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 .method public getTitle : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Message title Ljava/lang/String; L4: areturn L5: .linenumbertable L0 10 .end linenumbertable .end code .end method .method public setTitle : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Message title Ljava/lang/String; L5: return L6: .linenumbertable L0 14 L5 15 .end linenumbertable .end code .end method .method public getBody : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Message body Ljava/lang/String; L4: areturn L5: .linenumbertable L0 18 .end linenumbertable .end code .end method .method public setBody : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Message body Ljava/lang/String; L5: return L6: .linenumbertable L0 22 L5 23 .end linenumbertable .end code .end method .method public getTimestamp : ()J .code stack 2 locals 1 L0: aload_0 L1: getfield Field Message timestamp J L4: lreturn L5: .linenumbertable L0 26 .end linenumbertable .end code .end method .method public setTimestamp : (J)V .code stack 3 locals 3 L0: aload_0 L1: lload_1 L2: putfield Field Message timestamp J L5: return L6: .linenumbertable L0 30 L5 31 .end linenumbertable .end code .end method .sourcefile 'Message.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 19:53:46 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 Message_ESTest extends Message_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Message message0 = new Message(); message0.setTitle("x1wQj#<X_6NgIU"); String string0 = message0.getTitle(); assertEquals("x1wQj#<X_6NgIU", string0); } @Test(timeout = 4000) public void test1() throws Throwable { Message message0 = new Message(); message0.setTitle(""); String string0 = message0.getTitle(); assertEquals("", string0); } @Test(timeout = 4000) public void test2() throws Throwable { Message message0 = new Message(); message0.setTimestamp(35805L); long long0 = message0.getTimestamp(); assertEquals(35805L, long0); } @Test(timeout = 4000) public void test3() throws Throwable { Message message0 = new Message(); message0.setTimestamp((-1L)); long long0 = message0.getTimestamp(); assertEquals((-1L), long0); } @Test(timeout = 4000) public void test4() throws Throwable { Message message0 = new Message(); message0.setBody("YFK+J"); String string0 = message0.getBody(); assertEquals("YFK+J", string0); } @Test(timeout = 4000) public void test5() throws Throwable { Message message0 = new Message(); String string0 = message0.getTitle(); assertNull(string0); } @Test(timeout = 4000) public void test6() throws Throwable { Message message0 = new Message(); String string0 = message0.getBody(); assertNull(string0); } @Test(timeout = 4000) public void test7() throws Throwable { Message message0 = new Message(); long long0 = message0.getTimestamp(); assertEquals(0L, long0); } @Test(timeout = 4000) public void test8() throws Throwable { Message message0 = new Message(); message0.setBody(""); String string0 = message0.getBody(); assertEquals("", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 19:53:46 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 Message_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 = "Message"; 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/tmpxzwpsbb2"); 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(Message_ESTest_scaffolding.class.getClassLoader() , "Message" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Message_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Message" ); } }
66
Classifier
/** Created by assaad on 17/09/15. */ public abstract class Classifier { protected int numOfClasses; public abstract void initialize(int numOfClasses); }
.version 52 0 .class public super abstract Classifier .super java/lang/Object .field protected numOfClasses I .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 abstract initialize : (I)V .end method .sourcefile 'Classifier.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 03:40:19 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 Classifier_ESTest extends Classifier_ESTest_scaffolding { @Test public void notGeneratedAnyTest() { // EvoSuite did not generate any tests } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 03:40:19 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class Classifier_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); 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 = "Classifier"; 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(); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); 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() { /*No java.lang.System property to set*/ } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Classifier_ESTest_scaffolding.class.getClassLoader() , "Classifier" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Classifier_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Classifier" ); } }
67
Page
import java.io.Serializable; /** 分页 */ public class Page implements Serializable { private int pageNow = 1; // 当前页数 private int pageSize; // 每页显示记录的条数 private int totalCount; // 总的记录条数 private int totalPageCount; // 总的页数 @SuppressWarnings("unused") private int startPos; // 开始位置,从0开始 @SuppressWarnings("unused") private boolean hasFirst; // 是否有首页 @SuppressWarnings("unused") private boolean hasPre; // 是否有前一页 @SuppressWarnings("unused") private boolean hasNext; // 是否有下一页 @SuppressWarnings("unused") private boolean hasLast; // 是否有最后一页 /** * 通过构造函数 传入 总记录数 和 当前页 * * @param totalCount * @param pageNow */ public Page(int totalCount, int pageNow, int pageSize) { this.totalCount = totalCount; this.pageNow = pageNow; this.pageSize = pageSize; } /** * 取得总页数,总页数=总记录数/总页数 * * @return */ public int getTotalPageCount() { totalPageCount = getTotalCount() / getPageSize(); return (totalCount % pageSize == 0) ? totalPageCount : totalPageCount + 1; } public void setTotalPageCount(int totalPageCount) { this.totalPageCount = totalPageCount; } public int getPageNow() { return pageNow; } public void setPageNow(int pageNow) { this.pageNow = pageNow; } public int getPageSize() { return pageSize; } public void setPageSize(int pageSize) { this.pageSize = pageSize; } public int getTotalCount() { return totalCount; } public void setTotalCount(int totalCount) { this.totalCount = totalCount; } /** * 取得选择记录的初始位置 * * @return */ public int getStartPos() { return (pageNow - 1) * pageSize; } public void setStartPos(int startPos) { this.startPos = startPos; } /** * 是否是第一页 * * @return */ public boolean isHasFirst() { return (pageNow == 1) ? false : true; } public void setHasFirst(boolean hasFirst) { this.hasFirst = hasFirst; } /** * 是否有首页 * * @return */ public boolean isHasPre() { // 如果有首页就有前一页,因为有首页就不是第一页 return isHasFirst() ? true : false; } public void setHasPre(boolean hasPre) { this.hasPre = hasPre; } /** * 是否有下一页 * * @return */ public boolean isHasNext() { // 如果有尾页就有下一页,因为有尾页表明不是最后一页 return isHasLast() ? true : false; } public void setHasNext(boolean hasNext) { this.hasNext = hasNext; } /** * 是否有尾页 * * @return */ public boolean isHasLast() { // 如果不是最后一页就有尾页 return (pageNow == getTotalCount()) ? false : true; } public void setHasLast(boolean hasLast) { this.hasLast = hasLast; } }
.version 52 0 .class public super Page .super java/lang/Object .implements java/io/Serializable .field private pageNow I .field private pageSize I .field private totalCount I .field private totalPageCount I .field private startPos I .field private hasFirst Z .field private hasPre Z .field private hasNext Z .field private hasLast Z .method public <init> : (III)V .code stack 2 locals 4 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: iconst_1 L6: putfield Field Page pageNow I L9: aload_0 L10: iload_1 L11: putfield Field Page totalCount I L14: aload_0 L15: iload_2 L16: putfield Field Page pageNow I L19: aload_0 L20: iload_3 L21: putfield Field Page pageSize I L24: return L25: .linenumbertable L0 43 L4 11 L9 44 L14 45 L19 46 L24 47 .end linenumbertable .end code .end method .method public getTotalPageCount : ()I .code stack 3 locals 1 L0: aload_0 L1: aload_0 L2: invokevirtual Method Page getTotalCount ()I L5: aload_0 L6: invokevirtual Method Page getPageSize ()I L9: idiv L10: putfield Field Page totalPageCount I L13: aload_0 L14: getfield Field Page totalCount I L17: aload_0 L18: getfield Field Page pageSize I L21: irem L22: ifne L32 L25: aload_0 L26: getfield Field Page totalPageCount I L29: goto L38 .stack same L32: aload_0 L33: getfield Field Page totalPageCount I L36: iconst_1 L37: iadd .stack stack_1 Integer L38: ireturn L39: .linenumbertable L0 55 L13 56 .end linenumbertable .end code .end method .method public setTotalPageCount : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field Page totalPageCount I L5: return L6: .linenumbertable L0 60 L5 61 .end linenumbertable .end code .end method .method public getPageNow : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field Page pageNow I L4: ireturn L5: .linenumbertable L0 64 .end linenumbertable .end code .end method .method public setPageNow : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field Page pageNow I L5: return L6: .linenumbertable L0 68 L5 69 .end linenumbertable .end code .end method .method public getPageSize : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field Page pageSize I L4: ireturn L5: .linenumbertable L0 72 .end linenumbertable .end code .end method .method public setPageSize : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field Page pageSize I L5: return L6: .linenumbertable L0 76 L5 77 .end linenumbertable .end code .end method .method public getTotalCount : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field Page totalCount I L4: ireturn L5: .linenumbertable L0 80 .end linenumbertable .end code .end method .method public setTotalCount : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field Page totalCount I L5: return L6: .linenumbertable L0 84 L5 85 .end linenumbertable .end code .end method .method public getStartPos : ()I .code stack 2 locals 1 L0: aload_0 L1: getfield Field Page pageNow I L4: iconst_1 L5: isub L6: aload_0 L7: getfield Field Page pageSize I L10: imul L11: ireturn L12: .linenumbertable L0 93 .end linenumbertable .end code .end method .method public setStartPos : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field Page startPos I L5: return L6: .linenumbertable L0 97 L5 98 .end linenumbertable .end code .end method .method public isHasFirst : ()Z .code stack 2 locals 1 L0: aload_0 L1: getfield Field Page pageNow I L4: iconst_1 L5: if_icmpne L12 L8: iconst_0 L9: goto L13 .stack same L12: iconst_1 .stack stack_1 Integer L13: ireturn L14: .linenumbertable L0 106 .end linenumbertable .end code .end method .method public setHasFirst : (Z)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field Page hasFirst Z L5: return L6: .linenumbertable L0 110 L5 111 .end linenumbertable .end code .end method .method public isHasPre : ()Z .code stack 1 locals 1 L0: aload_0 L1: invokevirtual Method Page isHasFirst ()Z L4: ifeq L11 L7: iconst_1 L8: goto L12 .stack same L11: iconst_0 .stack stack_1 Integer L12: ireturn L13: .linenumbertable L0 120 .end linenumbertable .end code .end method .method public setHasPre : (Z)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field Page hasPre Z L5: return L6: .linenumbertable L0 124 L5 125 .end linenumbertable .end code .end method .method public isHasNext : ()Z .code stack 1 locals 1 L0: aload_0 L1: invokevirtual Method Page isHasLast ()Z L4: ifeq L11 L7: iconst_1 L8: goto L12 .stack same L11: iconst_0 .stack stack_1 Integer L12: ireturn L13: .linenumbertable L0 134 .end linenumbertable .end code .end method .method public setHasNext : (Z)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field Page hasNext Z L5: return L6: .linenumbertable L0 138 L5 139 .end linenumbertable .end code .end method .method public isHasLast : ()Z .code stack 2 locals 1 L0: aload_0 L1: getfield Field Page pageNow I L4: aload_0 L5: invokevirtual Method Page getTotalCount ()I L8: if_icmpne L15 L11: iconst_0 L12: goto L16 .stack same L15: iconst_1 .stack stack_1 Integer L16: ireturn L17: .linenumbertable L0 148 .end linenumbertable .end code .end method .method public setHasLast : (Z)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field Page hasLast Z L5: return L6: .linenumbertable L0 152 L5 153 .end linenumbertable .end code .end method .sourcefile 'Page.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 03:17:14 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 Page_ESTest extends Page_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { Page page0 = new Page(0, 0, 1863); page0.setTotalCount((-38157)); boolean boolean0 = page0.isHasLast(); assertEquals((-38157), page0.getTotalCount()); assertTrue(boolean0); } @Test(timeout = 4000) public void test01() throws Throwable { Page page0 = new Page((-11571), 1037, (-11571)); page0.setPageSize((-80505)); int int0 = page0.getTotalPageCount(); assertEquals((-80505), page0.getPageSize()); assertEquals(1, int0); } @Test(timeout = 4000) public void test02() throws Throwable { Page page0 = new Page((-46589), (-46589), (-46589)); page0.setTotalCount(0); int int0 = page0.getTotalPageCount(); assertEquals(0, page0.getTotalCount()); assertEquals(0, int0); } @Test(timeout = 4000) public void test03() throws Throwable { Page page0 = new Page(0, 0, 0); int int0 = page0.getTotalCount(); assertEquals(0, page0.getPageSize()); assertFalse(page0.isHasNext()); assertEquals(0, int0); } @Test(timeout = 4000) public void test04() throws Throwable { Page page0 = new Page(28742, 28742, 28742); int int0 = page0.getTotalCount(); assertFalse(page0.isHasLast()); assertEquals(28742, page0.getPageSize()); assertEquals(28742, int0); } @Test(timeout = 4000) public void test05() throws Throwable { Page page0 = new Page((-54891), (-54891), (-54891)); page0.setPageNow(1); int int0 = page0.getStartPos(); assertFalse(page0.isHasPre()); assertEquals(0, int0); } @Test(timeout = 4000) public void test06() throws Throwable { Page page0 = new Page((-11571), 1037, (-11571)); page0.setPageNow((-11571)); int int0 = page0.getStartPos(); assertEquals((-11571), page0.getPageNow()); assertEquals(133899612, int0); } @Test(timeout = 4000) public void test07() throws Throwable { Page page0 = new Page((-1), (-75985), 0); int int0 = page0.getPageSize(); assertEquals(0, int0); assertEquals((-75985), page0.getPageNow()); assertEquals((-1), page0.getTotalCount()); } @Test(timeout = 4000) public void test08() throws Throwable { Page page0 = new Page(1, 1, 1); int int0 = page0.getPageSize(); assertFalse(page0.isHasLast()); assertEquals(1, int0); } @Test(timeout = 4000) public void test09() throws Throwable { Page page0 = new Page(0, 0, 1863); int int0 = page0.getPageNow(); assertEquals(0, page0.getTotalCount()); assertEquals(0, int0); assertEquals((-1863), page0.getStartPos()); } @Test(timeout = 4000) public void test10() throws Throwable { Page page0 = new Page((-11571), 1037, (-11571)); page0.setPageNow((-11571)); int int0 = page0.getPageNow(); assertFalse(page0.isHasNext()); assertEquals((-11571), int0); } @Test(timeout = 4000) public void test11() throws Throwable { Page page0 = new Page((-14702), (-14702), (-14702)); page0.setPageNow((-53818)); boolean boolean0 = page0.isHasLast(); assertEquals((-53818), page0.getPageNow()); assertTrue(boolean0); } @Test(timeout = 4000) public void test12() throws Throwable { Page page0 = new Page((-11571), 1037, (-11571)); boolean boolean0 = page0.isHasFirst(); assertEquals((-11571), page0.getTotalCount()); assertTrue(boolean0); assertEquals((-11987556), page0.getStartPos()); } @Test(timeout = 4000) public void test13() throws Throwable { Page page0 = new Page(1, 1, 1); boolean boolean0 = page0.isHasFirst(); assertEquals(1, page0.getPageSize()); assertFalse(boolean0); assertFalse(page0.isHasLast()); } @Test(timeout = 4000) public void test14() throws Throwable { Page page0 = new Page((-11571), 1037, (-11571)); int int0 = page0.getTotalCount(); assertEquals((-11571), int0); assertEquals((-11987556), page0.getStartPos()); } @Test(timeout = 4000) public void test15() throws Throwable { Page page0 = new Page(16988, (-52789), 0); boolean boolean0 = page0.isHasNext(); assertEquals(0, page0.getStartPos()); assertEquals((-52789), page0.getPageNow()); assertEquals(16988, page0.getTotalCount()); assertTrue(boolean0); } @Test(timeout = 4000) public void test16() throws Throwable { Page page0 = new Page(1, 1, 1); boolean boolean0 = page0.isHasPre(); assertFalse(boolean0); assertEquals(1, page0.getPageSize()); assertEquals(1, page0.getTotalCount()); } @Test(timeout = 4000) public void test17() throws Throwable { Page page0 = new Page((-11571), 1037, (-11571)); boolean boolean0 = page0.isHasPre(); assertEquals((-11571), page0.getTotalCount()); assertEquals((-11987556), page0.getStartPos()); assertTrue(boolean0); } @Test(timeout = 4000) public void test18() throws Throwable { Page page0 = new Page((-11571), 1037, (-11571)); page0.setTotalCount(1037); int int0 = page0.getTotalPageCount(); assertFalse(page0.isHasNext()); assertEquals(1, int0); } @Test(timeout = 4000) public void test19() throws Throwable { Page page0 = new Page(10237, 10237, (-39058)); page0.setHasFirst(true); assertEquals((-39058), page0.getPageSize()); assertFalse(page0.isHasLast()); } @Test(timeout = 4000) public void test20() throws Throwable { Page page0 = new Page((-14702), (-14702), (-14702)); page0.setHasLast(false); assertFalse(page0.isHasLast()); assertEquals((-14702), page0.getPageSize()); } @Test(timeout = 4000) public void test21() throws Throwable { Page page0 = new Page(10237, 10237, (-39058)); page0.setTotalPageCount((-1281)); assertEquals((-39058), page0.getPageSize()); assertFalse(page0.isHasNext()); } @Test(timeout = 4000) public void test22() throws Throwable { Page page0 = new Page((-46589), (-46589), (-46589)); page0.setHasPre(true); assertEquals((-46589), page0.getPageSize()); assertFalse(page0.isHasNext()); } @Test(timeout = 4000) public void test23() throws Throwable { Page page0 = new Page((-11571), 1037, (-11571)); page0.setPageNow((-11571)); boolean boolean0 = page0.isHasLast(); assertEquals((-11571), page0.getPageNow()); assertFalse(boolean0); } @Test(timeout = 4000) public void test24() throws Throwable { Page page0 = new Page((-11571), 1037, (-11571)); page0.setHasNext(true); assertEquals((-11987556), page0.getStartPos()); assertEquals((-11571), page0.getTotalCount()); } @Test(timeout = 4000) public void test25() throws Throwable { Page page0 = new Page((-11571), 1037, (-11571)); int int0 = page0.getStartPos(); assertEquals((-11987556), int0); assertEquals((-11571), page0.getTotalCount()); } @Test(timeout = 4000) public void test26() throws Throwable { Page page0 = new Page(10237, 10237, (-39058)); page0.setStartPos((-57217)); assertEquals((-399797688), page0.getStartPos()); assertFalse(page0.isHasLast()); } @Test(timeout = 4000) public void test27() throws Throwable { Page page0 = new Page((-14702), (-14702), (-14702)); page0.setTotalCount(71364); int int0 = page0.getTotalPageCount(); assertEquals(71364, page0.getTotalCount()); assertEquals((-3), int0); } @Test(timeout = 4000) public void test28() throws Throwable { Page page0 = new Page((-14702), (-14702), (-14702)); int int0 = page0.getPageSize(); assertEquals((-14702), int0); assertFalse(page0.isHasLast()); } @Test(timeout = 4000) public void test29() throws Throwable { Page page0 = new Page(10237, 10237, (-39058)); int int0 = page0.getPageNow(); assertEquals((-39058), page0.getPageSize()); assertEquals(10237, int0); assertFalse(page0.isHasLast()); } @Test(timeout = 4000) public void test30() throws Throwable { Page page0 = new Page(10237, 10237, (-39058)); boolean boolean0 = page0.isHasNext(); assertFalse(boolean0); assertEquals((-39058), page0.getPageSize()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 03:17:14 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 Page_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 = "Page"; 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/tmp1bvkekxz"); 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(Page_ESTest_scaffolding.class.getClassLoader() , "Page" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Page_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Page" ); } }
68
FormOrderVo
import java.util.Date; public class FormOrderVo { private String dataId; private String title; private Date displayName; public String getDataId() { return dataId; } public void setDataId(String dataId) { this.dataId = dataId; } public String getTitle() { return title; } public void setTitle(String title) { this.title = title; } public Date getDisplayName() { return displayName; } public void setDisplayName(Date displayName) { this.displayName = displayName; } }
.version 52 0 .class public super FormOrderVo .super java/lang/Object .field private dataId Ljava/lang/String; .field private title Ljava/lang/String; .field private displayName Ljava/util/Date; .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 5 .end linenumbertable .end code .end method .method public getDataId : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field FormOrderVo dataId Ljava/lang/String; L4: areturn L5: .linenumbertable L0 12 .end linenumbertable .end code .end method .method public setDataId : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field FormOrderVo dataId Ljava/lang/String; L5: return L6: .linenumbertable L0 16 L5 17 .end linenumbertable .end code .end method .method public getTitle : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field FormOrderVo title Ljava/lang/String; L4: areturn L5: .linenumbertable L0 20 .end linenumbertable .end code .end method .method public setTitle : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field FormOrderVo title Ljava/lang/String; L5: return L6: .linenumbertable L0 24 L5 25 .end linenumbertable .end code .end method .method public getDisplayName : ()Ljava/util/Date; .code stack 1 locals 1 L0: aload_0 L1: getfield Field FormOrderVo displayName Ljava/util/Date; L4: areturn L5: .linenumbertable L0 28 .end linenumbertable .end code .end method .method public setDisplayName : (Ljava/util/Date;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field FormOrderVo displayName Ljava/util/Date; L5: return L6: .linenumbertable L0 32 L5 33 .end linenumbertable .end code .end method .sourcefile 'FormOrderVo.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 14:35:55 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import java.util.Date; 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 FormOrderVo_ESTest extends FormOrderVo_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { FormOrderVo formOrderVo0 = new FormOrderVo(); formOrderVo0.setTitle(".^"); String string0 = formOrderVo0.getTitle(); assertEquals(".^", string0); } @Test(timeout = 4000) public void test1() throws Throwable { FormOrderVo formOrderVo0 = new FormOrderVo(); formOrderVo0.setDataId("ipc^{t29HveB3%pS"); String string0 = formOrderVo0.getDataId(); assertEquals("ipc^{t29HveB3%pS", string0); } @Test(timeout = 4000) public void test2() throws Throwable { FormOrderVo formOrderVo0 = new FormOrderVo(); formOrderVo0.setTitle(""); String string0 = formOrderVo0.getTitle(); assertEquals("", string0); } @Test(timeout = 4000) public void test3() throws Throwable { FormOrderVo formOrderVo0 = new FormOrderVo(); String string0 = formOrderVo0.getDataId(); assertNull(string0); } @Test(timeout = 4000) public void test4() throws Throwable { FormOrderVo formOrderVo0 = new FormOrderVo(); formOrderVo0.setDataId(""); String string0 = formOrderVo0.getDataId(); assertEquals("", string0); } @Test(timeout = 4000) public void test5() throws Throwable { FormOrderVo formOrderVo0 = new FormOrderVo(); MockDate mockDate0 = new MockDate(); formOrderVo0.setDisplayName(mockDate0); Date date0 = formOrderVo0.getDisplayName(); assertEquals("Fri Feb 14 20:21:21 GMT 2014", date0.toString()); } @Test(timeout = 4000) public void test6() throws Throwable { FormOrderVo formOrderVo0 = new FormOrderVo(); Date date0 = formOrderVo0.getDisplayName(); assertNull(date0); } @Test(timeout = 4000) public void test7() throws Throwable { FormOrderVo formOrderVo0 = new FormOrderVo(); String string0 = formOrderVo0.getTitle(); assertNull(string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 14:35:55 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 FormOrderVo_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 = "FormOrderVo"; 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/tmpyualni4b"); 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(FormOrderVo_ESTest_scaffolding.class.getClassLoader() , "FormOrderVo" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(FormOrderVo_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "FormOrderVo" ); } }
69
Greeter
/** Created by caio on 1/29/15. */ public class Greeter { public String sayHello() { return "Hello world!"; } }
.version 52 0 .class public super Greeter .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 6 .end linenumbertable .end code .end method .method public sayHello : ()Ljava/lang/String; .code stack 1 locals 1 L0: ldc 'Hello world!' L2: areturn L3: .linenumbertable L0 10 .end linenumbertable .end code .end method .sourcefile 'Greeter.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 12:36:24 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 Greeter_ESTest extends Greeter_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Greeter greeter0 = new Greeter(); String string0 = greeter0.sayHello(); assertEquals("Hello world!", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 12:36:24 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 Greeter_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 = "Greeter"; 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/tmpskgpg88w"); 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(Greeter_ESTest_scaffolding.class.getClassLoader() , "Greeter" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Greeter_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Greeter" ); } }
70
MatchesHighlighter
import java.util.Objects; import java.util.Optional; import java.util.regex.Matcher; import java.util.regex.Pattern; public class MatchesHighlighter { // used at highlighting in preview area. // Color chosen similar to JTextComponent.getSelectionColor(), which is // used at highlighting words at the editor public static final String HIGHLIGHT_COLOR = "#3399FF"; /** * Will return the text that was called by the method with HTML tags to highlight each word the * user has searched for and will skip the highlight process if the first Char isn't a letter or a * digit. * * <p>This check is a quick hack to avoid highlighting of HTML tags It does not always work, but * it does its job mostly * * @param text This is a String in which we search for different words * @param wordsToHighlight List of all words which must be highlighted * @return String that was called by the method, with HTML Tags if a word was found */ public static String highlightWordsWithHTML(String text, Optional<Pattern> highlightPattern) { Objects.requireNonNull(highlightPattern); String searchText = Objects.requireNonNull(text); if (searchText.isEmpty() || !highlightPattern.isPresent()) { return searchText; } Matcher matcher = highlightPattern.get().matcher(searchText); StringBuffer sb = new StringBuffer(); boolean foundSomething = false; while (matcher.find()) { String found = matcher.group(); // color the search keyword // put first String Part and then html + word + html to a StringBuffer matcher.appendReplacement( sb, "<span style=\"background-color:" + HIGHLIGHT_COLOR + ";\">" + found + "</span>"); foundSomething = true; } if (foundSomething) { matcher.appendTail(sb); searchText = sb.toString(); } return searchText; } }
.version 52 0 .class public super MatchesHighlighter .super java/lang/Object .field public static final HIGHLIGHT_COLOR Ljava/lang/String; = '#3399FF' .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 highlightWordsWithHTML : (Ljava/lang/String;Ljava/util/Optional;)Ljava/lang/String; .code stack 4 locals 7 L0: aload_1 L1: invokestatic Method java/util/Objects requireNonNull (Ljava/lang/Object;)Ljava/lang/Object; L4: pop L5: aload_0 L6: invokestatic Method java/util/Objects requireNonNull (Ljava/lang/Object;)Ljava/lang/Object; L9: checkcast java/lang/String L12: astore_2 L13: aload_2 L14: invokevirtual Method java/lang/String isEmpty ()Z L17: ifne L27 L20: aload_1 L21: invokevirtual Method java/util/Optional isPresent ()Z L24: ifne L29 .stack append Object java/lang/String L27: aload_2 L28: areturn .stack same L29: aload_1 L30: invokevirtual Method java/util/Optional get ()Ljava/lang/Object; L33: checkcast java/util/regex/Pattern L36: aload_2 L37: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher; L40: astore_3 L41: new java/lang/StringBuffer L44: dup L45: invokespecial Method java/lang/StringBuffer <init> ()V L48: astore 4 L50: iconst_0 L51: istore 5 .stack append Object java/util/regex/Matcher Object java/lang/StringBuffer Integer L53: aload_3 L54: invokevirtual Method java/util/regex/Matcher find ()Z L57: ifeq L104 L60: aload_3 L61: invokevirtual Method java/util/regex/Matcher group ()Ljava/lang/String; L64: astore 6 L66: aload_3 L67: aload 4 L69: new java/lang/StringBuilder L72: dup L73: invokespecial Method java/lang/StringBuilder <init> ()V L76: ldc '<span style="background-color:#3399FF;">' L78: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L81: aload 6 L83: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L86: ldc '</span>' L88: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L91: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L94: invokevirtual Method java/util/regex/Matcher appendReplacement (Ljava/lang/StringBuffer;Ljava/lang/String;)Ljava/util/regex/Matcher; L97: pop L98: iconst_1 L99: istore 5 L101: goto L53 .stack same L104: iload 5 L106: ifeq L122 L109: aload_3 L110: aload 4 L112: invokevirtual Method java/util/regex/Matcher appendTail (Ljava/lang/StringBuffer;)Ljava/lang/StringBuffer; L115: pop L116: aload 4 L118: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String; L121: astore_2 .stack same L122: aload_2 L123: areturn L124: .linenumbertable L0 26 L5 27 L13 30 L27 31 L29 34 L41 36 L50 37 L53 39 L60 40 L66 43 L98 44 L101 45 L104 47 L109 48 L116 49 L122 52 .end linenumbertable .end code .signature (Ljava/lang/String;Ljava/util/Optional<Ljava/util/regex/Pattern;>;)Ljava/lang/String; .end method .sourcefile 'MatchesHighlighter.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 02:38:35 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import java.util.Optional; import java.util.regex.Pattern; 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 MatchesHighlighter_ESTest extends MatchesHighlighter_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Pattern pattern0 = Pattern.compile("<span style=\"background-color:#3399FF;\">"); Optional<Pattern> optional0 = Optional.ofNullable(pattern0); String string0 = MatchesHighlighter.highlightWordsWithHTML("<span style=\"background-color:#3399FF;\">", optional0); assertEquals("<span style=\"background-color:#3399FF;\"><span style=\"background-color:#3399FF;\"></span>", string0); } @Test(timeout = 4000) public void test1() throws Throwable { Optional<Pattern> optional0 = Optional.empty(); String string0 = MatchesHighlighter.highlightWordsWithHTML("#3399FF", optional0); assertEquals("#3399FF", string0); } @Test(timeout = 4000) public void test2() throws Throwable { Pattern pattern0 = Pattern.compile("<span style=\"background-color:#3399FF;\">"); Optional<Pattern> optional0 = Optional.ofNullable(pattern0); String string0 = MatchesHighlighter.highlightWordsWithHTML(",", optional0); assertEquals(",", string0); } @Test(timeout = 4000) public void test3() throws Throwable { Pattern pattern0 = Pattern.compile("<span style=\"background-color:#3399FF;\">"); Optional<Pattern> optional0 = Optional.ofNullable(pattern0); String string0 = MatchesHighlighter.highlightWordsWithHTML("", optional0); assertEquals("", string0); } @Test(timeout = 4000) public void test4() throws Throwable { MatchesHighlighter matchesHighlighter0 = new MatchesHighlighter(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 02:38:35 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 MatchesHighlighter_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 = "MatchesHighlighter"; 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/tmpkcmy3mcl"); 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(MatchesHighlighter_ESTest_scaffolding.class.getClassLoader() , "MatchesHighlighter" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MatchesHighlighter_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "MatchesHighlighter" ); } }
71
SupplierData
/*- * See the file LICENSE for redistribution information. * * Copyright (c) 2002-2010 Oracle. All rights reserved. * * $Id: SupplierData.java,v 1.18 2010/01/04 15:50:34 cwl Exp $ */ import java.io.Serializable; /** * A SupplierData serves as the value in the key/value pair for a supplier entity. * * <p>In this sample, SupplierData is used only as the storage data for the value, while the * Supplier object is used as the value's object representation. Because it is used directly as * storage data using serial format, it must be Serializable. * * @author Mark Hayes */ public class SupplierData implements Serializable { private String name; private int status; private String city; public SupplierData(String name, int status, String city) { this.name = name; this.status = status; this.city = city; } public final String getName() { return name; } public final int getStatus() { return status; } public final String getCity() { return city; } public String toString() { return "[SupplierData: name=" + name + " status=" + status + " city=" + city + ']'; } }
.version 52 0 .class public super SupplierData .super java/lang/Object .implements java/io/Serializable .field private name Ljava/lang/String; .field private status I .field private city Ljava/lang/String; .method public <init> : (Ljava/lang/String;ILjava/lang/String;)V .code stack 2 locals 4 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: aload_1 L6: putfield Field SupplierData name Ljava/lang/String; L9: aload_0 L10: iload_2 L11: putfield Field SupplierData status I L14: aload_0 L15: aload_3 L16: putfield Field SupplierData city Ljava/lang/String; L19: return L20: .linenumbertable L0 30 L4 32 L9 33 L14 34 L19 35 .end linenumbertable .end code .end method .method public final getName : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field SupplierData name Ljava/lang/String; L4: areturn L5: .linenumbertable L0 39 .end linenumbertable .end code .end method .method public final getStatus : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field SupplierData status I L4: ireturn L5: .linenumbertable L0 44 .end linenumbertable .end code .end method .method public final getCity : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field SupplierData city Ljava/lang/String; L4: areturn L5: .linenumbertable L0 49 .end linenumbertable .end code .end method .method public toString : ()Ljava/lang/String; .code stack 2 locals 1 L0: new java/lang/StringBuilder L3: dup L4: invokespecial Method java/lang/StringBuilder <init> ()V L7: ldc '[SupplierData: name=' L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L12: aload_0 L13: getfield Field SupplierData name Ljava/lang/String; L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L19: ldc ' status=' L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L24: aload_0 L25: getfield Field SupplierData status I L28: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L31: ldc ' city=' L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L36: aload_0 L37: getfield Field SupplierData city Ljava/lang/String; L40: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L43: bipush 93 L45: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L48: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L51: areturn L52: .linenumbertable L0 54 .end linenumbertable .end code .end method .sourcefile 'SupplierData.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 17:42:08 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 SupplierData_ESTest extends SupplierData_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { SupplierData supplierData0 = new SupplierData("hOF*0ts>P[?+#", 0, ""); int int0 = supplierData0.getStatus(); assertEquals(0, int0); } @Test(timeout = 4000) public void test1() throws Throwable { SupplierData supplierData0 = new SupplierData("", (-1), "VZ1N-a01<.3x;P hW"); int int0 = supplierData0.getStatus(); assertEquals((-1), int0); } @Test(timeout = 4000) public void test2() throws Throwable { SupplierData supplierData0 = new SupplierData("wctXiI]Ak#vnRv0>", 0, "wctXiI]Ak#vnRv0>"); supplierData0.getName(); assertEquals(0, supplierData0.getStatus()); } @Test(timeout = 4000) public void test3() throws Throwable { SupplierData supplierData0 = new SupplierData("", 0, ""); supplierData0.getName(); assertEquals(0, supplierData0.getStatus()); } @Test(timeout = 4000) public void test4() throws Throwable { SupplierData supplierData0 = new SupplierData("", 41129, "g\"+\"KMUv,5e"); supplierData0.getCity(); assertEquals(41129, supplierData0.getStatus()); } @Test(timeout = 4000) public void test5() throws Throwable { SupplierData supplierData0 = new SupplierData("", 18971, ""); supplierData0.getCity(); assertEquals(18971, supplierData0.getStatus()); } @Test(timeout = 4000) public void test6() throws Throwable { SupplierData supplierData0 = new SupplierData((String) null, 1, (String) null); supplierData0.getCity(); assertEquals(1, supplierData0.getStatus()); } @Test(timeout = 4000) public void test7() throws Throwable { SupplierData supplierData0 = new SupplierData((String) null, 1, (String) null); String string0 = supplierData0.toString(); assertEquals("[SupplierData: name=null status=1 city=null]", string0); } @Test(timeout = 4000) public void test8() throws Throwable { SupplierData supplierData0 = new SupplierData((String) null, 1, (String) null); supplierData0.getName(); assertEquals(1, supplierData0.getStatus()); } @Test(timeout = 4000) public void test9() throws Throwable { SupplierData supplierData0 = new SupplierData((String) null, 1, (String) null); int int0 = supplierData0.getStatus(); assertEquals(1, int0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 17:42:08 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 SupplierData_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 = "SupplierData"; 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/tmp6ajv06t1"); 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(SupplierData_ESTest_scaffolding.class.getClassLoader() , "SupplierData" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SupplierData_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "SupplierData" ); } }
72
HeaderResponseFloatHeaders
/** * Copyright (c) Microsoft Corporation. All rights reserved. Licensed under the MIT License. See * License.txt in the project root for license information. * * <p>Code generated by Microsoft (R) AutoRest Code Generator. Changes may cause incorrect behavior * and will be lost if the code is regenerated. */ /** Defines headers for responseFloat operation. */ public class HeaderResponseFloatHeaders { /** response with header value "value": 0.07 or -3.0. */ private Double value; /** * Get the value value. * * @return the value value */ public Double getValue() { return this.value; } /** * Set the value value. * * @param value the value value to set */ public void setValue(Double value) { this.value = value; } }
.version 52 0 .class public super HeaderResponseFloatHeaders .super java/lang/Object .field private value Ljava/lang/Double; .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 17 .end linenumbertable .end code .end method .method public getValue : ()Ljava/lang/Double; .code stack 1 locals 1 L0: aload_0 L1: getfield Field HeaderResponseFloatHeaders value Ljava/lang/Double; L4: areturn L5: .linenumbertable L0 29 .end linenumbertable .end code .end method .method public setValue : (Ljava/lang/Double;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field HeaderResponseFloatHeaders value Ljava/lang/Double; L5: return L6: .linenumbertable L0 38 L5 39 .end linenumbertable .end code .end method .sourcefile 'HeaderResponseFloatHeaders.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 22:22:27 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 HeaderResponseFloatHeaders_ESTest extends HeaderResponseFloatHeaders_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { HeaderResponseFloatHeaders headerResponseFloatHeaders0 = new HeaderResponseFloatHeaders(); Double double0 = new Double(16566.288202749438); headerResponseFloatHeaders0.setValue(double0); Double double1 = headerResponseFloatHeaders0.getValue(); assertEquals(16566.288202749438, (double)double1, 1.0E-4); } @Test(timeout = 4000) public void test1() throws Throwable { HeaderResponseFloatHeaders headerResponseFloatHeaders0 = new HeaderResponseFloatHeaders(); Double double0 = new Double(0.0); headerResponseFloatHeaders0.setValue(double0); Double double1 = headerResponseFloatHeaders0.getValue(); assertEquals(0.0, (double)double1, 1.0E-4); } @Test(timeout = 4000) public void test2() throws Throwable { HeaderResponseFloatHeaders headerResponseFloatHeaders0 = new HeaderResponseFloatHeaders(); Double double0 = new Double((-34205.5)); headerResponseFloatHeaders0.setValue(double0); Double double1 = headerResponseFloatHeaders0.getValue(); assertEquals((-34205.5), (double)double1, 1.0E-4); } @Test(timeout = 4000) public void test3() throws Throwable { HeaderResponseFloatHeaders headerResponseFloatHeaders0 = new HeaderResponseFloatHeaders(); Double double0 = new Double((-26925.3364540385)); headerResponseFloatHeaders0.setValue(double0); Double double1 = headerResponseFloatHeaders0.getValue(); assertEquals((-26925.3364540385), (double)double1, 1.0E-4); } @Test(timeout = 4000) public void test4() throws Throwable { HeaderResponseFloatHeaders headerResponseFloatHeaders0 = new HeaderResponseFloatHeaders(); Double double0 = headerResponseFloatHeaders0.getValue(); assertNull(double0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 22:22:27 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 HeaderResponseFloatHeaders_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 = "HeaderResponseFloatHeaders"; 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/tmpo1lvtqvh"); 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(HeaderResponseFloatHeaders_ESTest_scaffolding.class.getClassLoader() , "HeaderResponseFloatHeaders" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(HeaderResponseFloatHeaders_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "HeaderResponseFloatHeaders" ); } }
73
BankAccount
/** * Class BankAccount. * * @author Alexander Ivanov * @version 1.0 * @since 03.05.2017 */ public class BankAccount { /** Account of client. */ private int account = 0; /** * Deposit money to account. * * @param money for deposit. */ private void deposit(int money) { this.account += money; } /** Deposit to account n-times. */ public void multiDeposit() { for (int i = 0; i < 100_000; i++) { this.deposit(1); } } /** * Withdraw money from account. * * @param money for withdraw. */ public void withdraw(int money) { this.account -= money; } /** Withdraw from account n-times. */ public void multiWithdraw() { for (int i = 0; i < 100_000; i++) { withdraw(1); } } /** * Account getter. * * @return account. */ public int getAccount() { return account; } /** * Main method. This method shows multithreading problems. * * @param args from cmd-line. */ public static void main(String[] args) { BankAccount bankAccount = new BankAccount(); Thread depositThread = new Thread( new Runnable() { @Override public void run() { bankAccount.multiDeposit(); } }); Thread withdrawThread = new Thread( new Runnable() { @Override public void run() { bankAccount.multiWithdraw(); } }); Thread depositThread2 = new Thread( new Runnable() { @Override public void run() { bankAccount.multiDeposit(); } }); Thread withdrawThread2 = new Thread( new Runnable() { @Override public void run() { bankAccount.multiWithdraw(); } }); depositThread.start(); withdrawThread.start(); depositThread2.start(); withdrawThread2.start(); try { depositThread.join(); withdrawThread.join(); depositThread2.join(); withdrawThread2.join(); } catch (InterruptedException e) { e.printStackTrace(); } System.out.println(bankAccount.getAccount()); } }
.version 52 0 .class public super BankAccount .super java/lang/Object .field private account I .method public <init> : ()V .code stack 2 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: iconst_0 L6: putfield Field BankAccount account I L9: return L10: .linenumbertable L0 10 L4 14 .end linenumbertable .end code .end method .method private deposit : (I)V .code stack 3 locals 2 L0: aload_0 L1: dup L2: getfield Field BankAccount account I L5: iload_1 L6: iadd L7: putfield Field BankAccount account I L10: return L11: .linenumbertable L0 21 L10 22 .end linenumbertable .end code .end method .method public multiDeposit : ()V .code stack 2 locals 2 L0: iconst_0 L1: istore_1 .stack append Integer L2: iload_1 L3: ldc 100000 L5: if_icmpge L19 L8: aload_0 L9: iconst_1 L10: invokespecial Method BankAccount deposit (I)V L13: iinc 1 1 L16: goto L2 .stack chop 1 L19: return L20: .linenumbertable L0 28 L8 29 L13 28 L19 31 .end linenumbertable .end code .end method .method public withdraw : (I)V .code stack 3 locals 2 L0: aload_0 L1: dup L2: getfield Field BankAccount account I L5: iload_1 L6: isub L7: putfield Field BankAccount account I L10: return L11: .linenumbertable L0 38 L10 39 .end linenumbertable .end code .end method .method public multiWithdraw : ()V .code stack 2 locals 2 L0: iconst_0 L1: istore_1 .stack append Integer L2: iload_1 L3: ldc 100000 L5: if_icmpge L19 L8: aload_0 L9: iconst_1 L10: invokevirtual Method BankAccount withdraw (I)V L13: iinc 1 1 L16: goto L2 .stack chop 1 L19: return L20: .linenumbertable L0 45 L8 46 L13 45 L19 48 .end linenumbertable .end code .end method .method public getAccount : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field BankAccount account I L4: ireturn L5: .linenumbertable L0 55 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 5 locals 7 L0: new BankAccount L3: dup L4: invokespecial Method BankAccount <init> ()V L7: astore_1 L8: new java/lang/Thread L11: dup L12: new BankAccount$1 L15: dup L16: aload_1 L17: invokespecial Method BankAccount$1 <init> (LBankAccount;)V L20: invokespecial Method java/lang/Thread <init> (Ljava/lang/Runnable;)V L23: astore_2 L24: new java/lang/Thread L27: dup L28: new BankAccount$2 L31: dup L32: aload_1 L33: invokespecial Method BankAccount$2 <init> (LBankAccount;)V L36: invokespecial Method java/lang/Thread <init> (Ljava/lang/Runnable;)V L39: astore_3 L40: new java/lang/Thread L43: dup L44: new BankAccount$3 L47: dup L48: aload_1 L49: invokespecial Method BankAccount$3 <init> (LBankAccount;)V L52: invokespecial Method java/lang/Thread <init> (Ljava/lang/Runnable;)V L55: astore 4 L57: new java/lang/Thread L60: dup L61: new BankAccount$4 L64: dup L65: aload_1 L66: invokespecial Method BankAccount$4 <init> (LBankAccount;)V L69: invokespecial Method java/lang/Thread <init> (Ljava/lang/Runnable;)V L72: astore 5 L74: aload_2 L75: invokevirtual Method java/lang/Thread start ()V L78: aload_3 L79: invokevirtual Method java/lang/Thread start ()V L82: aload 4 L84: invokevirtual Method java/lang/Thread start ()V L87: aload 5 L89: invokevirtual Method java/lang/Thread start ()V .catch java/lang/InterruptedException from L92 to L110 using L113 L92: aload_2 L93: invokevirtual Method java/lang/Thread join ()V L96: aload_3 L97: invokevirtual Method java/lang/Thread join ()V L100: aload 4 L102: invokevirtual Method java/lang/Thread join ()V L105: aload 5 L107: invokevirtual Method java/lang/Thread join ()V L110: goto L120 .stack full locals Object [Ljava/lang/String; Object BankAccount Object java/lang/Thread Object java/lang/Thread Object java/lang/Thread Object java/lang/Thread stack Object java/lang/InterruptedException .end stack L113: astore 6 L115: aload 6 L117: invokevirtual Method java/lang/InterruptedException printStackTrace ()V .stack same L120: getstatic Field java/lang/System out Ljava/io/PrintStream; L123: aload_1 L124: invokevirtual Method BankAccount getAccount ()I L127: invokevirtual Method java/io/PrintStream println (I)V L130: return L131: .linenumbertable L0 64 L8 66 L24 73 L40 79 L57 86 L74 92 L78 93 L82 94 L87 95 L92 97 L96 98 L100 99 L105 100 L110 103 L113 101 L115 102 L120 104 L130 105 .end linenumbertable .end code .end method .sourcefile 'BankAccount.java' .innerclasses BankAccount$4 [0] [0] static BankAccount$3 [0] [0] static BankAccount$2 [0] [0] static BankAccount$1 [0] [0] static .end innerclasses .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 17:34:25 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 BankAccount_ESTest extends BankAccount_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { BankAccount bankAccount0 = new BankAccount(); assertEquals(0, bankAccount0.getAccount()); bankAccount0.getAccount(); // Undeclared exception! bankAccount0.multiDeposit(); } @Test(timeout = 4000) public void test1() throws Throwable { String[] stringArray0 = new String[8]; stringArray0[0] = ""; stringArray0[1] = ""; stringArray0[2] = ""; stringArray0[3] = ""; stringArray0[4] = "[RO"; stringArray0[5] = "pjE-~! D0F{Co$!Tj-"; stringArray0[6] = ""; stringArray0[7] = "6}"; // Undeclared exception! try { BankAccount.main(stringArray0); fail("Expecting exception: NoClassDefFoundError"); } catch(NoClassDefFoundError e) { // // BankAccount$1 // verifyException("BankAccount", e); } } @Test(timeout = 4000) public void test2() throws Throwable { // Undeclared exception! try { BankAccount.main((String[]) null); fail("Expecting exception: NoClassDefFoundError"); } catch(NoClassDefFoundError e) { // // BankAccount$1 // verifyException("BankAccount", e); } } @Test(timeout = 4000) public void test3() throws Throwable { BankAccount bankAccount0 = new BankAccount(); // Undeclared exception! bankAccount0.multiDeposit(); } @Test(timeout = 4000) public void test4() throws Throwable { String[] stringArray0 = new String[8]; stringArray0[0] = ""; stringArray0[1] = ""; stringArray0[2] = "`mue9]*:U"; stringArray0[3] = ""; stringArray0[4] = "uwK<.RxGMRF_kL9W~X"; stringArray0[5] = "-p"; stringArray0[6] = "j`+lfMazV6RcJ,g$cH1"; stringArray0[7] = ""; // Undeclared exception! try { BankAccount.main(stringArray0); fail("Expecting exception: NoClassDefFoundError"); } catch(NoClassDefFoundError e) { // // BankAccount$1 // verifyException("BankAccount", e); } } @Test(timeout = 4000) public void test5() throws Throwable { String[] stringArray0 = new String[3]; stringArray0[0] = "t5s"; stringArray0[1] = "/;&\"Uc.g"; stringArray0[2] = "5s~KJWYgD"; // Undeclared exception! try { BankAccount.main(stringArray0); fail("Expecting exception: NoClassDefFoundError"); } catch(NoClassDefFoundError e) { // // BankAccount$1 // verifyException("BankAccount", e); } } @Test(timeout = 4000) public void test6() throws Throwable { BankAccount bankAccount0 = new BankAccount(); // Undeclared exception! bankAccount0.multiWithdraw(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 17:34:25 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 BankAccount_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 = "BankAccount"; 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/tmpglzynia1"); 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(BankAccount_ESTest_scaffolding.class.getClassLoader() , "BankAccount" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BankAccount_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "BankAccount" ); } }
74
PersonName
/* * Hibernate, Relational Persistence for Idiomatic Java * * Copyright (c) 2010, Red Hat Middleware LLC or third-party contributors as * indicated by the @author tags or express copyright attribution * statements applied by the authors. All third-party contributions are * distributed under license by Red Hat Middleware LLC. * * This copyrighted material is made available to anyone wishing to use, modify, * copy, or redistribute it subject to the terms and conditions of the GNU * Lesser General Public License, as published by the Free Software Foundation. * * 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 Lesser General Public License * for more details. * * You should have received a copy of the GNU Lesser General Public License * along with this distribution; if not, write to: * Free Software Foundation, Inc. * 51 Franklin Street, Fifth Floor * Boston, MA 02110-1301 USA * */ /** * @author Gail Badner */ public class PersonName { private String first; private String middle; private String last; public PersonName() {} public PersonName(String first, String middle, String state) { this.first = first; this.middle = middle; this.last = state; } public String getFirst() { return first; } public void setFirst(String first) { this.first = first; } public String getMiddle() { return middle; } public void setMiddle(String middle) { this.middle = middle; } public String getLast() { return last; } public void setLast(String last) { this.last = last; } public boolean equals(Object o) { if (this == o) { return true; } if (o == null || getClass() != o.getClass()) { return false; } PersonName name = (PersonName) o; if (first != null ? !first.equals(name.first) : name.first != null) { return false; } if (middle != null ? !middle.equals(name.middle) : name.middle != null) { return false; } if (last != null ? !last.equals(name.last) : name.last != null) { return false; } return true; } public int hashCode() { int result = first != null ? first.hashCode() : 0; result = 31 * result + (last != null ? last.hashCode() : 0); return result; } }
.version 52 0 .class public super PersonName .super java/lang/Object .field private first Ljava/lang/String; .field private middle Ljava/lang/String; .field private last 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 37 .end linenumbertable .end code .end method .method public <init> : (Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V .code stack 2 locals 4 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: aload_1 L6: putfield Field PersonName first Ljava/lang/String; L9: aload_0 L10: aload_2 L11: putfield Field PersonName middle Ljava/lang/String; L14: aload_0 L15: aload_3 L16: putfield Field PersonName last Ljava/lang/String; L19: return L20: .linenumbertable L0 39 L4 40 L9 41 L14 42 L19 43 .end linenumbertable .end code .end method .method public getFirst : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field PersonName first Ljava/lang/String; L4: areturn L5: .linenumbertable L0 46 .end linenumbertable .end code .end method .method public setFirst : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field PersonName first Ljava/lang/String; L5: return L6: .linenumbertable L0 50 L5 51 .end linenumbertable .end code .end method .method public getMiddle : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field PersonName middle Ljava/lang/String; L4: areturn L5: .linenumbertable L0 54 .end linenumbertable .end code .end method .method public setMiddle : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field PersonName middle Ljava/lang/String; L5: return L6: .linenumbertable L0 58 L5 59 .end linenumbertable .end code .end method .method public getLast : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field PersonName last Ljava/lang/String; L4: areturn L5: .linenumbertable L0 62 .end linenumbertable .end code .end method .method public setLast : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field PersonName last Ljava/lang/String; L5: return L6: .linenumbertable L0 66 L5 67 .end linenumbertable .end code .end method .method public equals : (Ljava/lang/Object;)Z .code stack 2 locals 3 L0: aload_0 L1: aload_1 L2: if_acmpne L7 L5: iconst_1 L6: ireturn .stack same L7: aload_1 L8: ifnull L22 L11: aload_0 L12: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; L15: aload_1 L16: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; L19: if_acmpeq L24 .stack same L22: iconst_0 L23: ireturn .stack same L24: aload_1 L25: checkcast PersonName L28: astore_2 L29: aload_0 L30: getfield Field PersonName first Ljava/lang/String; L33: ifnull L53 L36: aload_0 L37: getfield Field PersonName first Ljava/lang/String; L40: aload_2 L41: getfield Field PersonName first Ljava/lang/String; L44: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L47: ifne L62 L50: goto L60 .stack append Object PersonName L53: aload_2 L54: getfield Field PersonName first Ljava/lang/String; L57: ifnull L62 .stack same L60: iconst_0 L61: ireturn .stack same L62: aload_0 L63: getfield Field PersonName middle Ljava/lang/String; L66: ifnull L86 L69: aload_0 L70: getfield Field PersonName middle Ljava/lang/String; L73: aload_2 L74: getfield Field PersonName middle Ljava/lang/String; L77: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L80: ifne L95 L83: goto L93 .stack same L86: aload_2 L87: getfield Field PersonName middle Ljava/lang/String; L90: ifnull L95 .stack same L93: iconst_0 L94: ireturn .stack same L95: aload_0 L96: getfield Field PersonName last Ljava/lang/String; L99: ifnull L119 L102: aload_0 L103: getfield Field PersonName last Ljava/lang/String; L106: aload_2 L107: getfield Field PersonName last Ljava/lang/String; L110: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L113: ifne L128 L116: goto L126 .stack same L119: aload_2 L120: getfield Field PersonName last Ljava/lang/String; L123: ifnull L128 .stack same L126: iconst_0 L127: ireturn .stack same L128: iconst_1 L129: ireturn L130: .linenumbertable L0 70 L5 71 L7 73 L22 74 L24 77 L29 79 L60 80 L62 82 L93 83 L95 85 L126 86 L128 89 .end linenumbertable .end code .end method .method public hashCode : ()I .code stack 2 locals 2 L0: aload_0 L1: getfield Field PersonName first Ljava/lang/String; L4: ifnull L17 L7: aload_0 L8: getfield Field PersonName first Ljava/lang/String; L11: invokevirtual Method java/lang/String hashCode ()I L14: goto L18 .stack same L17: iconst_0 .stack stack_1 Integer L18: istore_1 L19: bipush 31 L21: iload_1 L22: imul L23: aload_0 L24: getfield Field PersonName last Ljava/lang/String; L27: ifnull L40 L30: aload_0 L31: getfield Field PersonName last Ljava/lang/String; L34: invokevirtual Method java/lang/String hashCode ()I L37: goto L41 .stack full locals Object PersonName Integer stack Integer .end stack L40: iconst_0 .stack full locals Object PersonName Integer stack Integer Integer .end stack L41: iadd L42: istore_1 L43: iload_1 L44: ireturn L45: .linenumbertable L0 93 L19 94 L43 95 .end linenumbertable .end code .end method .sourcefile 'PersonName.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 15:58:01 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 PersonName_ESTest extends PersonName_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { PersonName personName0 = new PersonName(); String string0 = personName0.getMiddle(); assertNull(string0); } @Test(timeout = 4000) public void test01() throws Throwable { PersonName personName0 = new PersonName(";&t yB<[&TK2=!Vr", "", "}?;R6@Ht-EPH=?{gP"); personName0.setMiddle("}?;R6@Ht-EPH=?{gP"); String string0 = personName0.getMiddle(); assertEquals("}?;R6@Ht-EPH=?{gP", string0); } @Test(timeout = 4000) public void test02() throws Throwable { PersonName personName0 = new PersonName(); String string0 = personName0.getLast(); assertNull(string0); } @Test(timeout = 4000) public void test03() throws Throwable { PersonName personName0 = new PersonName((String) null, (String) null, (String) null); personName0.setLast(""); String string0 = personName0.getLast(); assertEquals("", string0); } @Test(timeout = 4000) public void test04() throws Throwable { PersonName personName0 = new PersonName((String) null, (String) null, (String) null); String string0 = personName0.getFirst(); assertNull(string0); } @Test(timeout = 4000) public void test05() throws Throwable { PersonName personName0 = new PersonName(); personName0.setFirst(""); String string0 = personName0.getFirst(); assertEquals("", string0); } @Test(timeout = 4000) public void test06() throws Throwable { PersonName personName0 = new PersonName(); personName0.hashCode(); } @Test(timeout = 4000) public void test07() throws Throwable { PersonName personName0 = new PersonName(";&t yB<[&TK2=!Vr", "", "}?;R6@Ht-EPH=?{gP"); personName0.hashCode(); } @Test(timeout = 4000) public void test08() throws Throwable { PersonName personName0 = new PersonName(); PersonName personName1 = new PersonName(); boolean boolean0 = personName0.equals(personName1); assertTrue(boolean0); } @Test(timeout = 4000) public void test09() throws Throwable { PersonName personName0 = new PersonName(); personName0.setMiddle("a?2"); personName0.setFirst("a?2"); personName0.setLast("a?2"); PersonName personName1 = new PersonName("a?2", "=UKxt5vwe$mKMHC<", "=UKxt5vwe$mKMHC<"); personName1.setMiddle("a?2"); boolean boolean0 = personName0.equals(personName1); assertFalse(boolean0); } @Test(timeout = 4000) public void test10() throws Throwable { PersonName personName0 = new PersonName(); personName0.setMiddle("a?2"); personName0.setFirst("a?2"); personName0.setLast("a?2"); PersonName personName1 = new PersonName("a?2", "a?2", "a?2"); boolean boolean0 = personName0.equals(personName1); assertTrue(boolean0); } @Test(timeout = 4000) public void test11() throws Throwable { PersonName personName0 = new PersonName(); personName0.setMiddle(""); PersonName personName1 = new PersonName((String) null, "RL52/0O=b+l|$", (String) null); boolean boolean0 = personName0.equals(personName1); assertFalse(boolean0); } @Test(timeout = 4000) public void test12() throws Throwable { PersonName personName0 = new PersonName(); personName0.setMiddle("a?2"); personName0.setFirst("a?2"); PersonName personName1 = new PersonName("a?2", "a?2", "a?2"); boolean boolean0 = personName0.equals(personName1); assertFalse(boolean0); assertFalse(personName1.equals((Object)personName0)); } @Test(timeout = 4000) public void test13() throws Throwable { PersonName personName0 = new PersonName("P6 fPuZ!Jt", "P6 fPuZ!Jt", "P6 fPuZ!Jt"); PersonName personName1 = new PersonName(",Z2\u0001DX/\"Zfd:C@_/K", "-qvcB3HFy8Q", (String) null); boolean boolean0 = personName0.equals(personName1); assertFalse(boolean0); } @Test(timeout = 4000) public void test14() throws Throwable { PersonName personName0 = new PersonName(); personName0.setFirst("a?2"); PersonName personName1 = new PersonName("a?2", "a?2", "a?2"); boolean boolean0 = personName0.equals(personName1); assertFalse(boolean0); } @Test(timeout = 4000) public void test15() throws Throwable { PersonName personName0 = new PersonName(); PersonName personName1 = new PersonName("a?2", "a?2", "a?2"); boolean boolean0 = personName0.equals(personName1); assertFalse(boolean0); } @Test(timeout = 4000) public void test16() throws Throwable { PersonName personName0 = new PersonName(); boolean boolean0 = personName0.equals((Object) null); assertFalse(boolean0); } @Test(timeout = 4000) public void test17() throws Throwable { PersonName personName0 = new PersonName(); boolean boolean0 = personName0.equals(personName0); assertTrue(boolean0); } @Test(timeout = 4000) public void test18() throws Throwable { PersonName personName0 = new PersonName("?JO{jDokv#9%)", "?JO{jDokv#9%)", "?JO{jDokv#9%)"); String string0 = personName0.getLast(); assertEquals("?JO{jDokv#9%)", string0); } @Test(timeout = 4000) public void test19() throws Throwable { PersonName personName0 = new PersonName(";&t yB<[&TK2=!Vr", "", "}?;R6@Ht-EPH=?{gP"); String string0 = personName0.getMiddle(); assertEquals("", string0); } @Test(timeout = 4000) public void test20() throws Throwable { PersonName personName0 = new PersonName(); Object object0 = new Object(); boolean boolean0 = personName0.equals(object0); assertFalse(boolean0); } @Test(timeout = 4000) public void test21() throws Throwable { PersonName personName0 = new PersonName("?JO{jDokv#9%)", "?JO{jDokv#9%)", "?JO{jDokv#9%)"); String string0 = personName0.getFirst(); assertEquals("?JO{jDokv#9%)", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 15:58:01 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 PersonName_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 = "PersonName"; 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/tmp_6o1447s"); 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(PersonName_ESTest_scaffolding.class.getClassLoader() , "PersonName" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PersonName_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "PersonName" ); } }
75
Utils
/* * Copyright (C) 2015 L5M * * 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/>. */ /** * @author L5M */ public class Utils { public static final int length(java.util.Collection<?> cll) { return cll == null ? 0 : cll.size(); } }
.version 52 0 .class public super Utils .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 23 .end linenumbertable .end code .end method .method public static final length : (Ljava/util/Collection;)I .code stack 1 locals 1 L0: aload_0 L1: ifnonnull L8 L4: iconst_0 L5: goto L14 .stack same L8: aload_0 L9: invokeinterface InterfaceMethod java/util/Collection size ()I 1 .stack stack_1 Integer L14: ireturn L15: .linenumbertable L0 26 .end linenumbertable .end code .signature (Ljava/util/Collection<*>;)I .end method .sourcefile 'Utils.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 14:37:24 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; 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 Utils_ESTest extends Utils_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { LinkedList<Object> linkedList0 = new LinkedList<Object>(); linkedList0.add((Object) null); int int0 = Utils.length(linkedList0); assertEquals(1, int0); } @Test(timeout = 4000) public void test1() throws Throwable { int int0 = Utils.length((Collection<?>) null); assertEquals(0, int0); } @Test(timeout = 4000) public void test2() throws Throwable { Utils utils0 = new Utils(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 14:37:24 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 Utils_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 = "Utils"; 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/tmpx21ncm3y"); 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(Utils_ESTest_scaffolding.class.getClassLoader() , "Utils" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Utils_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Utils" ); } }
76
FailingConstructors
/* * Copyright (c) 2011, 2017, Oracle and/or its affiliates. All rights reserved. * DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS FILE HEADER. * * This code is free software; you can redistribute it and/or modify it * under the terms of the GNU General Public License version 2 only, as * published by the Free Software Foundation. * * This code 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 * version 2 for more details (a copy is included in the LICENSE file that * accompanied this code). * * You should have received a copy of the GNU General Public License version * 2 along with this work; if not, write to the Free Software Foundation, * Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA. * * Please contact Oracle, 500 Oracle Parkway, Redwood Shores, CA 94065 USA * or visit www.oracle.com if you need additional information or have any * questions. */ /** * @test * @bug 7000511 8190577 * @summary PrintStream, PrintWriter, Formatter, Scanner leave files open when exception thrown */ import java.io.File; import java.io.FileInputStream; import java.io.FileNotFoundException; import java.io.IOException; import java.io.PrintStream; import java.io.UnsupportedEncodingException; import java.nio.file.Files; import java.nio.file.Path; public class FailingConstructors { static final String fileName = "FailingConstructorsTest"; static final String UNSUPPORTED_CHARSET = "unknownCharset"; static final String FILE_CONTENTS = "This is a small file!"; private static void realMain(String[] args) throws Throwable { test(false, new File(fileName)); /* create the file and write its contents */ Path path = Files.createTempFile(fileName, null); try { Files.write(path, FILE_CONTENTS.getBytes()); test(true, path.toFile()); } finally { Files.delete(path); } } private static void test(boolean exists, File file) throws Throwable { /* PrintStream(File file, String csn) */ try { new PrintStream(file, UNSUPPORTED_CHARSET); fail(); } catch (FileNotFoundException | UnsupportedEncodingException e) { pass(); } check(exists, file); try { new PrintStream(file, (String) null); fail(); } catch (FileNotFoundException | NullPointerException e) { pass(); } check(exists, file); /* PrintStream(String fileName, String csn) */ try { new PrintStream(file.getName(), UNSUPPORTED_CHARSET); fail(); } catch (FileNotFoundException | UnsupportedEncodingException e) { pass(); } check(exists, file); try { new PrintStream(file.getName(), (String) null); fail(); } catch (FileNotFoundException | NullPointerException e) { pass(); } check(exists, file); } private static void check(boolean exists, File file) { if (exists) { /* the file should be unchanged */ verifyContents(file); } else { /* the file should not have been created */ if (file.exists()) { fail(file + " should not have been created"); } } } private static void verifyContents(File file) { try (FileInputStream fis = new FileInputStream(file)) { byte[] contents = FILE_CONTENTS.getBytes(); int read, count = 0; while ((read = fis.read()) != -1) { if (read != contents[count++]) { fail("file contents have been altered"); return; } } } catch (IOException ioe) { unexpected(ioe); } } // --------------------- Infrastructure --------------------------- static volatile int passed = 0, failed = 0; static void pass() { passed++; } static void fail() { failed++; Thread.dumpStack(); } static void fail(String message) { System.out.println(message); fail(); } static void unexpected(Throwable t) { failed++; t.printStackTrace(); } public static void main(String[] args) throws Throwable { try { realMain(args); } catch (Throwable t) { unexpected(t); } System.out.printf("%nPassed = %d, failed = %d%n%n", passed, failed); if (failed > 0) throw new AssertionError("Some tests failed"); } }
.version 52 0 .class public super FailingConstructors .super java/lang/Object .field static final fileName Ljava/lang/String; = 'FailingConstructorsTest' .field static final UNSUPPORTED_CHARSET Ljava/lang/String; = 'unknownCharset' .field static final FILE_CONTENTS Ljava/lang/String; = 'This is a small file!' .field static volatile passed I .field static volatile failed I .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 41 .end linenumbertable .end code .end method .method private static realMain : ([Ljava/lang/String;)V .code stack 4 locals 3 L0: iconst_0 L1: new java/io/File L4: dup L5: ldc 'FailingConstructorsTest' L7: invokespecial Method java/io/File <init> (Ljava/lang/String;)V L10: invokestatic Method FailingConstructors test (ZLjava/io/File;)V L13: ldc 'FailingConstructorsTest' L15: aconst_null L16: iconst_0 L17: anewarray java/nio/file/attribute/FileAttribute L20: invokestatic Method java/nio/file/Files createTempFile (Ljava/lang/String;Ljava/lang/String;[Ljava/nio/file/attribute/FileAttribute;)Ljava/nio/file/Path; L23: astore_1 .catch [0] from L24 to L48 using L55 L24: aload_1 L25: ldc 'This is a small file!' L27: invokevirtual Method java/lang/String getBytes ()[B L30: iconst_0 L31: anewarray java/nio/file/OpenOption L34: invokestatic Method java/nio/file/Files write (Ljava/nio/file/Path;[B[Ljava/nio/file/OpenOption;)Ljava/nio/file/Path; L37: pop L38: iconst_1 L39: aload_1 L40: invokeinterface InterfaceMethod java/nio/file/Path toFile ()Ljava/io/File; 1 L45: invokestatic Method FailingConstructors test (ZLjava/io/File;)V L48: aload_1 L49: invokestatic Method java/nio/file/Files delete (Ljava/nio/file/Path;)V L52: goto L62 .stack full locals Object [Ljava/lang/String; Object java/nio/file/Path stack Object java/lang/Throwable .end stack L55: astore_2 L56: aload_1 L57: invokestatic Method java/nio/file/Files delete (Ljava/nio/file/Path;)V L60: aload_2 L61: athrow .stack same L62: return L63: .linenumbertable L0 47 L13 50 L24 52 L38 53 L48 55 L52 56 L55 55 L60 56 L62 57 .end linenumbertable .end code .exceptions java/lang/Throwable .end method .method private static test : (ZLjava/io/File;)V .code stack 4 locals 3 .catch java/io/FileNotFoundException from L0 to L14 using L17 .catch java/io/UnsupportedEncodingException from L0 to L14 using L17 L0: new java/io/PrintStream L3: dup L4: aload_1 L5: ldc 'unknownCharset' L7: invokespecial Method java/io/PrintStream <init> (Ljava/io/File;Ljava/lang/String;)V L10: pop L11: invokestatic Method FailingConstructors fail ()V L14: goto L21 .stack stack_1 Object java/io/IOException L17: astore_2 L18: invokestatic Method FailingConstructors pass ()V .stack same L21: iload_0 L22: aload_1 L23: invokestatic Method FailingConstructors check (ZLjava/io/File;)V .catch java/io/FileNotFoundException from L26 to L42 using L45 .catch java/lang/NullPointerException from L26 to L42 using L45 L26: new java/io/PrintStream L29: dup L30: aload_1 L31: aconst_null L32: checkcast java/lang/String L35: invokespecial Method java/io/PrintStream <init> (Ljava/io/File;Ljava/lang/String;)V L38: pop L39: invokestatic Method FailingConstructors fail ()V L42: goto L49 .stack stack_1 Object java/lang/Exception L45: astore_2 L46: invokestatic Method FailingConstructors pass ()V .stack same L49: iload_0 L50: aload_1 L51: invokestatic Method FailingConstructors check (ZLjava/io/File;)V .catch java/io/FileNotFoundException from L54 to L71 using L74 .catch java/io/UnsupportedEncodingException from L54 to L71 using L74 L54: new java/io/PrintStream L57: dup L58: aload_1 L59: invokevirtual Method java/io/File getName ()Ljava/lang/String; L62: ldc 'unknownCharset' L64: invokespecial Method java/io/PrintStream <init> (Ljava/lang/String;Ljava/lang/String;)V L67: pop L68: invokestatic Method FailingConstructors fail ()V L71: goto L78 .stack stack_1 Object java/io/IOException L74: astore_2 L75: invokestatic Method FailingConstructors pass ()V .stack same L78: iload_0 L79: aload_1 L80: invokestatic Method FailingConstructors check (ZLjava/io/File;)V .catch java/io/FileNotFoundException from L83 to L102 using L105 .catch java/lang/NullPointerException from L83 to L102 using L105 L83: new java/io/PrintStream L86: dup L87: aload_1 L88: invokevirtual Method java/io/File getName ()Ljava/lang/String; L91: aconst_null L92: checkcast java/lang/String L95: invokespecial Method java/io/PrintStream <init> (Ljava/lang/String;Ljava/lang/String;)V L98: pop L99: invokestatic Method FailingConstructors fail ()V L102: goto L109 .stack stack_1 Object java/lang/Exception L105: astore_2 L106: invokestatic Method FailingConstructors pass ()V .stack same L109: iload_0 L110: aload_1 L111: invokestatic Method FailingConstructors check (ZLjava/io/File;)V L114: return L115: .linenumbertable L0 62 L11 63 L14 66 L17 64 L18 65 L21 68 L26 71 L39 72 L42 75 L45 73 L46 74 L49 77 L54 81 L68 82 L71 85 L74 83 L75 84 L78 87 L83 90 L99 91 L102 94 L105 92 L106 93 L109 96 L114 97 .end linenumbertable .end code .exceptions java/lang/Throwable .end method .method private static check : (ZLjava/io/File;)V .code stack 2 locals 2 L0: iload_0 L1: ifeq L11 L4: aload_1 L5: invokestatic Method FailingConstructors verifyContents (Ljava/io/File;)V L8: goto L40 .stack same L11: aload_1 L12: invokevirtual Method java/io/File exists ()Z L15: ifeq L40 L18: new java/lang/StringBuilder L21: dup L22: invokespecial Method java/lang/StringBuilder <init> ()V L25: aload_1 L26: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder; L29: ldc ' should not have been created' L31: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L34: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L37: invokestatic Method FailingConstructors fail (Ljava/lang/String;)V .stack same L40: return L41: .linenumbertable L0 100 L4 102 L11 105 L40 107 .end linenumbertable .end code .end method .method private static verifyContents : (Ljava/io/File;)V .code stack 3 locals 9 L0: new java/io/FileInputStream L3: dup L4: aload_0 L5: invokespecial Method java/io/FileInputStream <init> (Ljava/io/File;)V L8: astore_1 L9: aconst_null L10: astore_2 L11: ldc 'This is a small file!' L13: invokevirtual Method java/lang/String getBytes ()[B L16: astore_3 L17: iconst_0 L18: istore 5 .stack full locals Object java/io/File Object java/io/FileInputStream Object java/lang/Throwable Object [B Top Integer stack .end stack L20: aload_1 L21: invokevirtual Method java/io/FileInputStream read ()I L24: dup L25: istore 4 L27: iconst_m1 L28: if_icmpeq L79 L31: iload 4 L33: aload_3 L34: iload 5 L36: iinc 5 1 L39: baload L40: if_icmpeq L20 L43: ldc 'file contents have been altered' L45: invokestatic Method FailingConstructors fail (Ljava/lang/String;)V L48: aload_1 L49: ifnull L78 L52: aload_2 L53: ifnull L74 .catch java/lang/Throwable from L56 to L60 using L63 L56: aload_1 L57: invokevirtual Method java/io/FileInputStream close ()V L60: goto L78 .stack full locals Object java/io/File Object java/io/FileInputStream Object java/lang/Throwable Object [B Integer Integer stack Object java/lang/Throwable .end stack L63: astore 6 L65: aload_2 L66: aload 6 L68: invokevirtual Method java/lang/Throwable addSuppressed (Ljava/lang/Throwable;)V L71: goto L78 .stack same L74: aload_1 L75: invokevirtual Method java/io/FileInputStream close ()V .stack same L78: return .stack chop 3 L79: aload_1 L80: ifnull L150 L83: aload_2 L84: ifnull L103 .catch java/lang/Throwable from L87 to L91 using L94 .catch java/lang/Throwable from L11 to L48 using L110 .catch [0] from L11 to L48 using L115 L87: aload_1 L88: invokevirtual Method java/io/FileInputStream close ()V L91: goto L150 .stack stack_1 Object java/lang/Throwable L94: astore_3 L95: aload_2 L96: aload_3 L97: invokevirtual Method java/lang/Throwable addSuppressed (Ljava/lang/Throwable;)V L100: goto L150 .stack same L103: aload_1 L104: invokevirtual Method java/io/FileInputStream close ()V L107: goto L150 .stack stack_1 Object java/lang/Throwable L110: astore_3 L111: aload_3 L112: astore_2 L113: aload_3 L114: athrow .stack stack_1 Object java/lang/Throwable L115: astore 7 L117: aload_1 L118: ifnull L147 L121: aload_2 L122: ifnull L143 .catch java/lang/Throwable from L125 to L129 using L132 .catch [0] from L110 to L117 using L115 .catch java/io/IOException from L0 to L78 using L153 .catch java/io/IOException from L79 to L150 using L153 L125: aload_1 L126: invokevirtual Method java/io/FileInputStream close ()V L129: goto L147 .stack full locals Object java/io/File Object java/io/FileInputStream Object java/lang/Throwable Top Top Top Top Object java/lang/Throwable stack Object java/lang/Throwable .end stack L132: astore 8 L134: aload_2 L135: aload 8 L137: invokevirtual Method java/lang/Throwable addSuppressed (Ljava/lang/Throwable;)V L140: goto L147 .stack same L143: aload_1 L144: invokevirtual Method java/io/FileInputStream close ()V .stack same L147: aload 7 L149: athrow .stack full locals Object java/io/File stack .end stack L150: goto L158 .stack stack_1 Object java/io/IOException L153: astore_1 L154: aload_1 L155: invokestatic Method FailingConstructors unexpected (Ljava/lang/Throwable;)V .stack same L158: return L159: .linenumbertable L0 110 L11 111 L17 112 L20 113 L31 114 L43 115 L48 119 L78 116 L79 119 L110 110 L115 119 L150 121 L153 119 L154 120 L158 122 .end linenumbertable .end code .end method .method static pass : ()V .code stack 2 locals 0 L0: getstatic Field FailingConstructors passed I L3: iconst_1 L4: iadd L5: putstatic Field FailingConstructors passed I L8: return L9: .linenumbertable L0 126 .end linenumbertable .end code .end method .method static fail : ()V .code stack 2 locals 0 L0: getstatic Field FailingConstructors failed I L3: iconst_1 L4: iadd L5: putstatic Field FailingConstructors failed I L8: invokestatic Method java/lang/Thread dumpStack ()V L11: return L12: .linenumbertable L0 127 .end linenumbertable .end code .end method .method static fail : (Ljava/lang/String;)V .code stack 2 locals 1 L0: getstatic Field java/lang/System out Ljava/io/PrintStream; L3: aload_0 L4: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L7: invokestatic Method FailingConstructors fail ()V L10: return L11: .linenumbertable L0 128 .end linenumbertable .end code .end method .method static unexpected : (Ljava/lang/Throwable;)V .code stack 2 locals 1 L0: getstatic Field FailingConstructors failed I L3: iconst_1 L4: iadd L5: putstatic Field FailingConstructors failed I L8: aload_0 L9: invokevirtual Method java/lang/Throwable printStackTrace ()V L12: return L13: .linenumbertable L0 129 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 6 locals 2 .catch java/lang/Throwable from L0 to L4 using L7 L0: aload_0 L1: invokestatic Method FailingConstructors realMain ([Ljava/lang/String;)V L4: goto L12 .stack stack_1 Object java/lang/Throwable L7: astore_1 L8: aload_1 L9: invokestatic Method FailingConstructors unexpected (Ljava/lang/Throwable;)V .stack same L12: getstatic Field java/lang/System out Ljava/io/PrintStream; L15: ldc '%nPassed = %d, failed = %d%n%n' L17: iconst_2 L18: anewarray java/lang/Object L21: dup L22: iconst_0 L23: getstatic Field FailingConstructors passed I L26: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; L29: aastore L30: dup L31: iconst_1 L32: getstatic Field FailingConstructors failed I L35: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; L38: aastore L39: invokevirtual Method java/io/PrintStream printf (Ljava/lang/String;[Ljava/lang/Object;)Ljava/io/PrintStream; L42: pop L43: getstatic Field FailingConstructors failed I L46: ifle L59 L49: new java/lang/AssertionError L52: dup L53: ldc 'Some tests failed' L55: invokespecial Method java/lang/AssertionError <init> (Ljava/lang/Object;)V L58: athrow .stack same L59: return L60: .linenumbertable L0 131 L12 132 L43 133 .end linenumbertable .end code .exceptions java/lang/Throwable .end method .method static <clinit> : ()V .code stack 1 locals 0 L0: iconst_0 L1: putstatic Field FailingConstructors passed I L4: iconst_0 L5: putstatic Field FailingConstructors failed I L8: return L9: .linenumbertable L0 125 .end linenumbertable .end code .end method .sourcefile 'FailingConstructors.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 10:45:37 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; import java.util.concurrent.ExecutorService; import java.util.concurrent.Executors; import java.util.concurrent.Future; import java.util.concurrent.TimeUnit; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.evosuite.runtime.mock.java.lang.MockThrowable; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class FailingConstructors_ESTest extends FailingConstructors_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Future<?> future = executor.submit(new Runnable(){ @Override public void run() { try { MockThrowable mockThrowable0 = new MockThrowable(""); String[] stringArray0 = new String[7]; try { FailingConstructors.main(stringArray0); fail("Expecting exception: AssertionError"); } catch(AssertionError e) { // // Some tests failed // } } catch(Throwable t) { // Need to catch declared exceptions } } }); future.get(4000, TimeUnit.MILLISECONDS); } @Test(timeout = 4000) public void test1() throws Throwable { Future<?> future = executor.submit(new Runnable(){ @Override public void run() { try { MockThrowable mockThrowable0 = new MockThrowable(""); FailingConstructors.unexpected(mockThrowable0); FailingConstructors.fail("=}5?u:a&C2a"); FailingConstructors.fail(""); String[] stringArray0 = new String[7]; try { FailingConstructors.main(stringArray0); fail("Expecting exception: AssertionError"); } catch(AssertionError e) { // // Some tests failed // } } catch(Throwable t) { // Need to catch declared exceptions } } }); future.get(4000, TimeUnit.MILLISECONDS); } @Test(timeout = 4000) public void test2() throws Throwable { FailingConstructors.pass(); } @Test(timeout = 4000) public void test3() throws Throwable { FailingConstructors.fail("=}5?u:a&C2a"); } @Test(timeout = 4000) public void test4() throws Throwable { FailingConstructors.fail(); } @Test(timeout = 4000) public void test5() throws Throwable { Future<?> future = executor.submit(new Runnable(){ @Override public void run() { try { FailingConstructors.failed = (-82426); String[] stringArray0 = new String[0]; FailingConstructors.main(stringArray0); FailingConstructors.fail(); FailingConstructors.fail("file contents have been altered"); FailingConstructors.fail(); FailingConstructors.fail(); FailingConstructors.main(stringArray0); assertEquals(0, stringArray0.length); } catch(Throwable t) { // Need to catch declared exceptions } } }); future.get(4000, TimeUnit.MILLISECONDS); } @Test(timeout = 4000) public void test6() throws Throwable { FailingConstructors failingConstructors0 = new FailingConstructors(); } @Test(timeout = 4000) public void test7() throws Throwable { MockThrowable mockThrowable0 = new MockThrowable(); FailingConstructors.unexpected(mockThrowable0); assertEquals("org.evosuite.runtime.mock.java.lang.MockThrowable", mockThrowable0.toString()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 10:45: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; import java.util.concurrent.ExecutorService; import java.util.concurrent.Executors; import java.util.concurrent.Future; import java.util.concurrent.TimeUnit; @EvoSuiteClassExclude public class FailingConstructors_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); protected static ExecutorService executor; 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 = "FailingConstructors"; 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(); executor = Executors.newCachedThreadPool(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); executor.shutdownNow(); 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/tmpcp_9y489"); 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(FailingConstructors_ESTest_scaffolding.class.getClassLoader() , "FailingConstructors" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(FailingConstructors_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "FailingConstructors" ); } }
77
SizeTooSmallException
/** * This source file is part of Spritey - the sprite sheet creator. * * <p>Copyright 2011 Maksym Bykovskyy. * * <p>Spritey 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. * * <p>Spritey 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. * * <p>You should have received a copy of the GNU General Public License along with Spritey. If not, * see <http://www.gnu.org/licenses/>. */ /** Signals that sprite sheet is too small to fit all sprites. */ public class SizeTooSmallException extends Exception { /** Auto-generated UID. */ private static final long serialVersionUID = 8898174933215228502L; /** Creates a new instance of SizeTooSmallException. */ public SizeTooSmallException() { super(); } /** * Creates a new instance of SizeTooSmallException with the specified message. * * @param message the message describing the reason for this exception. */ public SizeTooSmallException(String message) { super(message); } }
.version 52 0 .class public super SizeTooSmallException .super java/lang/Exception .field private static final serialVersionUID J = 8898174933215228502L .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 34 L4 35 .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 45 L5 46 .end linenumbertable .end code .end method .sourcefile 'SizeTooSmallException.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 13:11:28 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 SizeTooSmallException_ESTest extends SizeTooSmallException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { SizeTooSmallException sizeTooSmallException0 = new SizeTooSmallException(""); } @Test(timeout = 4000) public void test1() throws Throwable { SizeTooSmallException sizeTooSmallException0 = new SizeTooSmallException(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 13:11:28 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 SizeTooSmallException_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 = "SizeTooSmallException"; 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/tmpwf4hk736"); 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(SizeTooSmallException_ESTest_scaffolding.class.getClassLoader() , "SizeTooSmallException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SizeTooSmallException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "SizeTooSmallException" ); } }
78
Attribute
public final class Attribute { public final String key; public final String value; public Attribute(String key, String value) { this.key = key; this.value = value; } }
.version 52 0 .class public final super Attribute .super java/lang/Object .field public final key Ljava/lang/String; .field public final value Ljava/lang/String; .method public <init> : (Ljava/lang/String;Ljava/lang/String;)V .code stack 2 locals 3 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: aload_1 L6: putfield Field Attribute key Ljava/lang/String; L9: aload_0 L10: aload_2 L11: putfield Field Attribute value Ljava/lang/String; L14: return L15: .linenumbertable L0 7 L4 8 L9 9 L14 10 .end linenumbertable .end code .end method .sourcefile 'Attribute.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 07:56:25 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 Attribute_ESTest extends Attribute_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Attribute attribute0 = new Attribute("py)m", "23{G-?Iag&Gi<"); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 07:56:25 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 Attribute_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 = "Attribute"; 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/tmp3kyver17"); 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(Attribute_ESTest_scaffolding.class.getClassLoader() , "Attribute" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Attribute_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Attribute" ); } }
79
RulesIndicator
/* * Licensed to the Technische Universität Darmstadt under one * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The Technische Universität Darmstadt * 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. * * 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.io.Serializable; /** * Class for indicating whether Constraints affected a feature or not. * https://github.com/webanno/webanno/issues/46 */ public class RulesIndicator implements Serializable { private static final long serialVersionUID = -5606299056181945134L; private static final int STATUS_UNKNOWN = 0; private static final int STATUS_NO_TAGSET = 1; private static final int STATUS_NO_RULE_MATCH = 2; private static final int STATUS_RULE_MATCH = 3; private int status = STATUS_UNKNOWN; private boolean affected; public String getStatusColor() { switch (status) { case STATUS_NO_TAGSET: return "red"; case STATUS_NO_RULE_MATCH: return "orange"; case STATUS_RULE_MATCH: return "green"; default: return ""; } } public boolean isAffected() { return affected; } public void reset() { status = STATUS_UNKNOWN; affected = false; } /** Sets if rules can affect or not. */ public void setAffected(boolean existence) { affected = existence; } /** * If a feature is affected by a constraint but there is no tagset defined on the feature. In such * a case the constraints cannot reorder tags and have no effect. */ public void didntMatchAnyTag() { if (affected && status != STATUS_NO_RULE_MATCH && status != STATUS_RULE_MATCH) { status = STATUS_NO_TAGSET; } } /** * if a feature is affected by a constraint but no rule covers the feature value, e.g. <code> * @Lemma.value = "go" -&gt; aFrame = "going"</code>. Here aFrame is affected by a constraint. * However, if the actual lemma annotated in the document is walk and there is no rule that covers * walk, then we should also indicate that. */ public void didntMatchAnyRule() { if (affected && status != STATUS_RULE_MATCH && status != STATUS_NO_TAGSET) { status = STATUS_NO_RULE_MATCH; } } /** For case that a constrained actually applied ok there should be a marker. */ public void rulesApplied() { status = STATUS_RULE_MATCH; } public String getStatusSymbol() { switch (status) { case STATUS_NO_TAGSET: return "fa fa-exclamation-circle"; case STATUS_NO_RULE_MATCH: return "fa fa-info-circle"; case STATUS_RULE_MATCH: return "fa fa-check-circle"; default: return ""; } } public String getStatusDescription() { switch (status) { case STATUS_NO_TAGSET: return "Feature must be configured to use a tagset for constraint rules to work!"; case STATUS_NO_RULE_MATCH: return "None of the constraint rules affecting this feature match."; case STATUS_RULE_MATCH: return "At least one constraint rule affecting this feature matches"; default: return ""; } } }
.version 52 0 .class public super RulesIndicator .super java/lang/Object .implements java/io/Serializable .field private static final serialVersionUID J = -5606299056181945134L .field private static final STATUS_UNKNOWN I = 0 .field private static final STATUS_NO_TAGSET I = 1 .field private static final STATUS_NO_RULE_MATCH I = 2 .field private static final STATUS_RULE_MATCH I = 3 .field private status I .field private affected Z .method public <init> : ()V .code stack 2 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: iconst_0 L6: putfield Field RulesIndicator status I L9: return L10: .linenumbertable L0 26 L4 36 .end linenumbertable .end code .end method .method public getStatusColor : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field RulesIndicator status I L4: tableswitch 1 L32 L35 L38 default : L41 .stack same L32: ldc 'red' L34: areturn .stack same L35: ldc 'orange' L37: areturn .stack same L38: ldc 'green' L40: areturn .stack same L41: ldc '' L43: areturn L44: .linenumbertable L0 41 L32 43 L35 45 L38 47 L41 49 .end linenumbertable .end code .end method .method public isAffected : ()Z .code stack 1 locals 1 L0: aload_0 L1: getfield Field RulesIndicator affected Z L4: ireturn L5: .linenumbertable L0 55 .end linenumbertable .end code .end method .method public reset : ()V .code stack 2 locals 1 L0: aload_0 L1: iconst_0 L2: putfield Field RulesIndicator status I L5: aload_0 L6: iconst_0 L7: putfield Field RulesIndicator affected Z L10: return L11: .linenumbertable L0 60 L5 61 L10 62 .end linenumbertable .end code .end method .method public setAffected : (Z)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field RulesIndicator affected Z L5: return L6: .linenumbertable L0 69 L5 70 .end linenumbertable .end code .end method .method public didntMatchAnyTag : ()V .code stack 2 locals 1 L0: aload_0 L1: getfield Field RulesIndicator affected Z L4: ifeq L28 L7: aload_0 L8: getfield Field RulesIndicator status I L11: iconst_2 L12: if_icmpeq L28 L15: aload_0 L16: getfield Field RulesIndicator status I L19: iconst_3 L20: if_icmpeq L28 L23: aload_0 L24: iconst_1 L25: putfield Field RulesIndicator status I .stack same L28: return L29: .linenumbertable L0 78 L23 79 L28 81 .end linenumbertable .end code .end method .method public didntMatchAnyRule : ()V .code stack 2 locals 1 L0: aload_0 L1: getfield Field RulesIndicator affected Z L4: ifeq L28 L7: aload_0 L8: getfield Field RulesIndicator status I L11: iconst_3 L12: if_icmpeq L28 L15: aload_0 L16: getfield Field RulesIndicator status I L19: iconst_1 L20: if_icmpeq L28 L23: aload_0 L24: iconst_2 L25: putfield Field RulesIndicator status I .stack same L28: return L29: .linenumbertable L0 91 L23 92 L28 94 .end linenumbertable .end code .end method .method public rulesApplied : ()V .code stack 2 locals 1 L0: aload_0 L1: iconst_3 L2: putfield Field RulesIndicator status I L5: return L6: .linenumbertable L0 101 L5 102 .end linenumbertable .end code .end method .method public getStatusSymbol : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field RulesIndicator status I L4: tableswitch 1 L32 L35 L38 default : L41 .stack same L32: ldc 'fa fa-exclamation-circle' L34: areturn .stack same L35: ldc 'fa fa-info-circle' L37: areturn .stack same L38: ldc 'fa fa-check-circle' L40: areturn .stack same L41: ldc '' L43: areturn L44: .linenumbertable L0 106 L32 108 L35 110 L38 112 L41 114 .end linenumbertable .end code .end method .method public getStatusDescription : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field RulesIndicator status I L4: tableswitch 1 L32 L35 L38 default : L41 .stack same L32: ldc 'Feature must be configured to use a tagset for constraint rules to work!' L34: areturn .stack same L35: ldc 'None of the constraint rules affecting this feature match.' L37: areturn .stack same L38: ldc 'At least one constraint rule affecting this feature matches' L40: areturn .stack same L41: ldc '' L43: areturn L44: .linenumbertable L0 120 L32 122 L35 124 L38 126 L41 128 .end linenumbertable .end code .end method .sourcefile 'RulesIndicator.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 14:36:02 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 RulesIndicator_ESTest extends RulesIndicator_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { RulesIndicator rulesIndicator0 = new RulesIndicator(); rulesIndicator0.setAffected(true); boolean boolean0 = rulesIndicator0.isAffected(); assertTrue(boolean0); } @Test(timeout = 4000) public void test01() throws Throwable { RulesIndicator rulesIndicator0 = new RulesIndicator(); rulesIndicator0.rulesApplied(); rulesIndicator0.getStatusDescription(); assertEquals("green", rulesIndicator0.getStatusColor()); } @Test(timeout = 4000) public void test02() throws Throwable { RulesIndicator rulesIndicator0 = new RulesIndicator(); rulesIndicator0.setAffected(true); rulesIndicator0.didntMatchAnyRule(); rulesIndicator0.getStatusDescription(); assertTrue(rulesIndicator0.isAffected()); } @Test(timeout = 4000) public void test03() throws Throwable { RulesIndicator rulesIndicator0 = new RulesIndicator(); String string0 = rulesIndicator0.getStatusDescription(); assertEquals("", string0); } @Test(timeout = 4000) public void test04() throws Throwable { RulesIndicator rulesIndicator0 = new RulesIndicator(); rulesIndicator0.setAffected(true); rulesIndicator0.didntMatchAnyTag(); rulesIndicator0.getStatusDescription(); assertTrue(rulesIndicator0.isAffected()); } @Test(timeout = 4000) public void test05() throws Throwable { RulesIndicator rulesIndicator0 = new RulesIndicator(); rulesIndicator0.rulesApplied(); rulesIndicator0.getStatusSymbol(); assertEquals("green", rulesIndicator0.getStatusColor()); } @Test(timeout = 4000) public void test06() throws Throwable { RulesIndicator rulesIndicator0 = new RulesIndicator(); rulesIndicator0.setAffected(true); rulesIndicator0.didntMatchAnyRule(); rulesIndicator0.getStatusSymbol(); assertTrue(rulesIndicator0.isAffected()); } @Test(timeout = 4000) public void test07() throws Throwable { RulesIndicator rulesIndicator0 = new RulesIndicator(); String string0 = rulesIndicator0.getStatusSymbol(); assertEquals("", string0); } @Test(timeout = 4000) public void test08() throws Throwable { RulesIndicator rulesIndicator0 = new RulesIndicator(); rulesIndicator0.setAffected(true); rulesIndicator0.didntMatchAnyTag(); rulesIndicator0.getStatusSymbol(); assertTrue(rulesIndicator0.isAffected()); } @Test(timeout = 4000) public void test09() throws Throwable { RulesIndicator rulesIndicator0 = new RulesIndicator(); rulesIndicator0.setAffected(true); rulesIndicator0.didntMatchAnyTag(); rulesIndicator0.didntMatchAnyRule(); assertTrue(rulesIndicator0.isAffected()); } @Test(timeout = 4000) public void test10() throws Throwable { RulesIndicator rulesIndicator0 = new RulesIndicator(); rulesIndicator0.setAffected(true); rulesIndicator0.rulesApplied(); rulesIndicator0.didntMatchAnyRule(); assertTrue(rulesIndicator0.isAffected()); } @Test(timeout = 4000) public void test11() throws Throwable { RulesIndicator rulesIndicator0 = new RulesIndicator(); rulesIndicator0.didntMatchAnyRule(); assertEquals("", rulesIndicator0.getStatusDescription()); } @Test(timeout = 4000) public void test12() throws Throwable { RulesIndicator rulesIndicator0 = new RulesIndicator(); rulesIndicator0.setAffected(true); rulesIndicator0.rulesApplied(); rulesIndicator0.didntMatchAnyTag(); assertTrue(rulesIndicator0.isAffected()); } @Test(timeout = 4000) public void test13() throws Throwable { RulesIndicator rulesIndicator0 = new RulesIndicator(); rulesIndicator0.setAffected(true); rulesIndicator0.didntMatchAnyRule(); rulesIndicator0.didntMatchAnyTag(); assertTrue(rulesIndicator0.isAffected()); } @Test(timeout = 4000) public void test14() throws Throwable { RulesIndicator rulesIndicator0 = new RulesIndicator(); rulesIndicator0.didntMatchAnyTag(); assertEquals("", rulesIndicator0.getStatusDescription()); } @Test(timeout = 4000) public void test15() throws Throwable { RulesIndicator rulesIndicator0 = new RulesIndicator(); rulesIndicator0.setAffected(true); rulesIndicator0.didntMatchAnyRule(); rulesIndicator0.getStatusColor(); assertTrue(rulesIndicator0.isAffected()); } @Test(timeout = 4000) public void test16() throws Throwable { RulesIndicator rulesIndicator0 = new RulesIndicator(); String string0 = rulesIndicator0.getStatusColor(); assertEquals("", string0); } @Test(timeout = 4000) public void test17() throws Throwable { RulesIndicator rulesIndicator0 = new RulesIndicator(); rulesIndicator0.rulesApplied(); rulesIndicator0.getStatusColor(); assertEquals("At least one constraint rule affecting this feature matches", rulesIndicator0.getStatusDescription()); } @Test(timeout = 4000) public void test18() throws Throwable { RulesIndicator rulesIndicator0 = new RulesIndicator(); rulesIndicator0.setAffected(true); rulesIndicator0.didntMatchAnyTag(); rulesIndicator0.getStatusColor(); assertTrue(rulesIndicator0.isAffected()); } @Test(timeout = 4000) public void test19() throws Throwable { RulesIndicator rulesIndicator0 = new RulesIndicator(); rulesIndicator0.isAffected(); assertEquals("", rulesIndicator0.getStatusDescription()); } @Test(timeout = 4000) public void test20() throws Throwable { RulesIndicator rulesIndicator0 = new RulesIndicator(); rulesIndicator0.reset(); assertEquals("", rulesIndicator0.getStatusDescription()); assertFalse(rulesIndicator0.isAffected()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 14:36:02 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 RulesIndicator_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 = "RulesIndicator"; 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/tmpk6q0yjlj"); 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(RulesIndicator_ESTest_scaffolding.class.getClassLoader() , "RulesIndicator" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RulesIndicator_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "RulesIndicator" ); } }
80
LenType
/* * This file is part of Mosquito meta-loader. * * Mosquito meta-loader is free software; you can redistribute it and/or modify * it under the terms of the GNU Lesser General Public License as published by * the Free Software Foundation; either version 3 of the License, or * (at your option) any later version. * * Mosquito meta-loader 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 Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with this program. If not, see <http://www.gnu.org/licenses/>. */ /** * @author <a href="mailto:[email protected]">Nikola Petkov * &lt;[email protected]&gt;</a> */ public class LenType { private String jClass; private int length = -1; /** */ public LenType() {} /** * @param aLength * @param aJClass */ public LenType(int aLength, String aJClass) { length = aLength; jClass = aJClass; } /** * @return type. */ public String getJClass() { return jClass; } /** * @return len. */ public int getLength() { return length; } /** * @param aType The type to set. */ public void setJClass(String aType) { jClass = aType; } /** * @param aLength The len to set. */ public void setLength(int aLength) { length = aLength; } }
.version 52 0 .class public super LenType .super java/lang/Object .field private jClass Ljava/lang/String; .field private length I .method public <init> : ()V .code stack 2 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: iconst_m1 L6: putfield Field LenType length I L9: return L10: .linenumbertable L0 31 L4 27 L9 32 .end linenumbertable .end code .end method .method public <init> : (ILjava/lang/String;)V .code stack 2 locals 3 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: iconst_m1 L6: putfield Field LenType length I L9: aload_0 L10: iload_1 L11: putfield Field LenType length I L14: aload_0 L15: aload_2 L16: putfield Field LenType jClass Ljava/lang/String; L19: return L20: .linenumbertable L0 38 L4 27 L9 39 L14 40 L19 41 .end linenumbertable .end code .end method .method public getJClass : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field LenType jClass Ljava/lang/String; L4: areturn L5: .linenumbertable L0 47 .end linenumbertable .end code .end method .method public getLength : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field LenType length I L4: ireturn L5: .linenumbertable L0 54 .end linenumbertable .end code .end method .method public setJClass : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field LenType jClass Ljava/lang/String; L5: return L6: .linenumbertable L0 62 L5 63 .end linenumbertable .end code .end method .method public setLength : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field LenType length I L5: return L6: .linenumbertable L0 70 L5 71 .end linenumbertable .end code .end method .sourcefile 'LenType.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 04:33:04 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 LenType_ESTest extends LenType_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { LenType lenType0 = new LenType(); assertEquals((-1), lenType0.getLength()); lenType0.setLength(0); int int0 = lenType0.getLength(); assertEquals(0, int0); } @Test(timeout = 4000) public void test1() throws Throwable { LenType lenType0 = new LenType(0, "LenType"); lenType0.getJClass(); assertEquals(0, lenType0.getLength()); } @Test(timeout = 4000) public void test2() throws Throwable { LenType lenType0 = new LenType(); lenType0.setJClass(""); lenType0.getJClass(); assertEquals((-1), lenType0.getLength()); } @Test(timeout = 4000) public void test3() throws Throwable { LenType lenType0 = new LenType(); lenType0.getJClass(); assertEquals((-1), lenType0.getLength()); } @Test(timeout = 4000) public void test4() throws Throwable { LenType lenType0 = new LenType(); int int0 = lenType0.getLength(); assertEquals((-1), int0); } @Test(timeout = 4000) public void test5() throws Throwable { LenType lenType0 = new LenType(39485, ""); int int0 = lenType0.getLength(); assertEquals(39485, int0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 04:33:04 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 LenType_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 = "LenType"; 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/tmpqdjpd30u"); 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(LenType_ESTest_scaffolding.class.getClassLoader() , "LenType" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(LenType_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "LenType" ); } }
81
SurveillanceImageUpdateResource
// NOSONAR /** DTO used to update {@link com.github._1element.sc.domain.SurveillanceImage}. */ public class SurveillanceImageUpdateResource { private long id; private boolean archived; public long getId() { return id; } public void setId(final long id) { this.id = id; } public boolean isArchived() { return archived; } public void setArchived(final boolean archived) { this.archived = archived; } }
.version 52 0 .class public super SurveillanceImageUpdateResource .super java/lang/Object .field private id J .field private archived Z .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 : ()J .code stack 2 locals 1 L0: aload_0 L1: getfield Field SurveillanceImageUpdateResource id J L4: lreturn L5: .linenumbertable L0 13 .end linenumbertable .end code .end method .method public setId : (J)V .code stack 3 locals 3 L0: aload_0 L1: lload_1 L2: putfield Field SurveillanceImageUpdateResource id J L5: return L6: .linenumbertable L0 17 L5 18 .end linenumbertable .end code .end method .method public isArchived : ()Z .code stack 1 locals 1 L0: aload_0 L1: getfield Field SurveillanceImageUpdateResource archived Z L4: ireturn L5: .linenumbertable L0 21 .end linenumbertable .end code .end method .method public setArchived : (Z)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field SurveillanceImageUpdateResource archived Z L5: return L6: .linenumbertable L0 25 L5 26 .end linenumbertable .end code .end method .sourcefile 'SurveillanceImageUpdateResource.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 15:22:17 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 SurveillanceImageUpdateResource_ESTest extends SurveillanceImageUpdateResource_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { SurveillanceImageUpdateResource surveillanceImageUpdateResource0 = new SurveillanceImageUpdateResource(); surveillanceImageUpdateResource0.setArchived(true); boolean boolean0 = surveillanceImageUpdateResource0.isArchived(); assertTrue(boolean0); } @Test(timeout = 4000) public void test1() throws Throwable { SurveillanceImageUpdateResource surveillanceImageUpdateResource0 = new SurveillanceImageUpdateResource(); surveillanceImageUpdateResource0.setId((-23496L)); long long0 = surveillanceImageUpdateResource0.getId(); assertEquals((-23496L), long0); } @Test(timeout = 4000) public void test2() throws Throwable { SurveillanceImageUpdateResource surveillanceImageUpdateResource0 = new SurveillanceImageUpdateResource(); boolean boolean0 = surveillanceImageUpdateResource0.isArchived(); assertFalse(boolean0); } @Test(timeout = 4000) public void test3() throws Throwable { SurveillanceImageUpdateResource surveillanceImageUpdateResource0 = new SurveillanceImageUpdateResource(); long long0 = surveillanceImageUpdateResource0.getId(); assertEquals(0L, long0); } @Test(timeout = 4000) public void test4() throws Throwable { SurveillanceImageUpdateResource surveillanceImageUpdateResource0 = new SurveillanceImageUpdateResource(); surveillanceImageUpdateResource0.setId(102699L); long long0 = surveillanceImageUpdateResource0.getId(); assertEquals(102699L, long0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 15:22:17 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 SurveillanceImageUpdateResource_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 = "SurveillanceImageUpdateResource"; 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/tmp1mnmbbqc"); 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(SurveillanceImageUpdateResource_ESTest_scaffolding.class.getClassLoader() , "SurveillanceImageUpdateResource" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SurveillanceImageUpdateResource_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "SurveillanceImageUpdateResource" ); } }
82
PutIdentityPolicyResult
/* * Copyright 2010-2016 Amazon.com, Inc. or its affiliates. All Rights * Reserved. * * Licensed under the Apache License, Version 2.0 (the "License"). * You may not use this file except in compliance with the License. * A copy of the License is located at * * http://aws.amazon.com/apache2.0 * * or in the "license" file accompanying this file. This file 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.io.Serializable; /** */ public class PutIdentityPolicyResult implements Serializable, Cloneable { /** * Returns a string representation of this object; useful for testing and debugging. * * @return A string representation of this object. * @see java.lang.Object#toString() */ @Override public String toString() { StringBuilder sb = new StringBuilder(); sb.append("{"); sb.append("}"); return sb.toString(); } @Override public boolean equals(Object obj) { if (this == obj) return true; if (obj == null) return false; if (obj instanceof PutIdentityPolicyResult == false) return false; PutIdentityPolicyResult other = (PutIdentityPolicyResult) obj; return true; } @Override public int hashCode() { final int prime = 31; int hashCode = 1; return hashCode; } @Override public PutIdentityPolicyResult clone() { try { return (PutIdentityPolicyResult) super.clone(); } catch (CloneNotSupportedException e) { throw new IllegalStateException( "Got a CloneNotSupportedException from Object.clone() " + "even though we're Cloneable!", e); } } }
.version 52 0 .class public super PutIdentityPolicyResult .super java/lang/Object .implements java/io/Serializable .implements java/lang/Cloneable .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 24 .end linenumbertable .end code .end method .method public toString : ()Ljava/lang/String; .code stack 2 locals 2 L0: new java/lang/StringBuilder L3: dup L4: invokespecial Method java/lang/StringBuilder <init> ()V L7: astore_1 L8: aload_1 L9: ldc '{' L11: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L14: pop L15: aload_1 L16: ldc '}' L18: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L21: pop L22: aload_1 L23: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L26: areturn L27: .linenumbertable L0 36 L8 37 L15 38 L22 39 .end linenumbertable .end code .end method .method public equals : (Ljava/lang/Object;)Z .code stack 2 locals 3 L0: aload_0 L1: aload_1 L2: if_acmpne L7 L5: iconst_1 L6: ireturn .stack same L7: aload_1 L8: ifnonnull L13 L11: iconst_0 L12: ireturn .stack same L13: aload_1 L14: instanceof PutIdentityPolicyResult L17: ifne L22 L20: iconst_0 L21: ireturn .stack same L22: aload_1 L23: checkcast PutIdentityPolicyResult L26: astore_2 L27: iconst_1 L28: ireturn L29: .linenumbertable L0 44 L5 45 L7 46 L11 47 L13 49 L20 50 L22 51 L27 52 .end linenumbertable .end code .end method .method public hashCode : ()I .code stack 1 locals 3 L0: iconst_1 L1: istore_2 L2: iload_2 L3: ireturn L4: .linenumbertable L0 58 L2 60 .end linenumbertable .end code .end method .method public clone : ()LPutIdentityPolicyResult; .code stack 4 locals 2 .catch java/lang/CloneNotSupportedException from L0 to L7 using L8 L0: aload_0 L1: invokespecial Method java/lang/Object clone ()Ljava/lang/Object; L4: checkcast PutIdentityPolicyResult L7: areturn .stack stack_1 Object java/lang/CloneNotSupportedException L8: astore_1 L9: new java/lang/IllegalStateException L12: dup L13: ldc "Got a CloneNotSupportedException from Object.clone() even though we're Cloneable!" L15: aload_1 L16: invokespecial Method java/lang/IllegalStateException <init> (Ljava/lang/String;Ljava/lang/Throwable;)V L19: athrow L20: .linenumbertable L0 66 L8 67 L9 68 .end linenumbertable .end code .end method .method public bridge synthetic clone : ()Ljava/lang/Object; .code stack 1 locals 1 L0: aload_0 L1: invokevirtual Method PutIdentityPolicyResult clone ()LPutIdentityPolicyResult; L4: areturn L5: .linenumbertable L0 24 .end linenumbertable .end code .exceptions java/lang/CloneNotSupportedException .end method .sourcefile 'PutIdentityPolicyResult.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 14:01:15 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 PutIdentityPolicyResult_ESTest extends PutIdentityPolicyResult_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { PutIdentityPolicyResult putIdentityPolicyResult0 = new PutIdentityPolicyResult(); PutIdentityPolicyResult putIdentityPolicyResult1 = new PutIdentityPolicyResult(); boolean boolean0 = putIdentityPolicyResult0.equals(putIdentityPolicyResult1); assertTrue(boolean0); } @Test(timeout = 4000) public void test1() throws Throwable { PutIdentityPolicyResult putIdentityPolicyResult0 = new PutIdentityPolicyResult(); boolean boolean0 = putIdentityPolicyResult0.equals((Object) null); assertFalse(boolean0); } @Test(timeout = 4000) public void test2() throws Throwable { PutIdentityPolicyResult putIdentityPolicyResult0 = new PutIdentityPolicyResult(); boolean boolean0 = putIdentityPolicyResult0.equals(putIdentityPolicyResult0); assertTrue(boolean0); } @Test(timeout = 4000) public void test3() throws Throwable { PutIdentityPolicyResult putIdentityPolicyResult0 = new PutIdentityPolicyResult(); Object object0 = new Object(); boolean boolean0 = putIdentityPolicyResult0.equals(object0); assertFalse(boolean0); } @Test(timeout = 4000) public void test4() throws Throwable { PutIdentityPolicyResult putIdentityPolicyResult0 = new PutIdentityPolicyResult(); putIdentityPolicyResult0.hashCode(); } @Test(timeout = 4000) public void test5() throws Throwable { PutIdentityPolicyResult putIdentityPolicyResult0 = new PutIdentityPolicyResult(); PutIdentityPolicyResult putIdentityPolicyResult1 = putIdentityPolicyResult0.clone(); assertTrue(putIdentityPolicyResult1.equals((Object)putIdentityPolicyResult0)); } @Test(timeout = 4000) public void test6() throws Throwable { PutIdentityPolicyResult putIdentityPolicyResult0 = new PutIdentityPolicyResult(); String string0 = putIdentityPolicyResult0.toString(); assertEquals("{}", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 14:01: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; @EvoSuiteClassExclude public class PutIdentityPolicyResult_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 = "PutIdentityPolicyResult"; 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/tmplb7qi0ru"); 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(PutIdentityPolicyResult_ESTest_scaffolding.class.getClassLoader() , "PutIdentityPolicyResult" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PutIdentityPolicyResult_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "PutIdentityPolicyResult" ); } }
83
NetworkReferences
/** * References related to networking. * * @author siddharth.s */ public class NetworkReferences { public static final String HTTP_POST_METHOD = "POST"; public static final String COOKIE_SEPARATOR = "&"; public static final int HTTP_200_OK = 200; }
.version 52 0 .class public super NetworkReferences .super java/lang/Object .field public static final HTTP_POST_METHOD Ljava/lang/String; = 'POST' .field public static final COOKIE_SEPARATOR Ljava/lang/String; = '&' .field public static final HTTP_200_OK I = 200 .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 7 .end linenumbertable .end code .end method .sourcefile 'NetworkReferences.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 21:39:47 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 NetworkReferences_ESTest extends NetworkReferences_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { NetworkReferences networkReferences0 = new NetworkReferences(); assertEquals(200, NetworkReferences.HTTP_200_OK); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 21:39:47 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 NetworkReferences_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 = "NetworkReferences"; 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/tmp01qstuyb"); 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(NetworkReferences_ESTest_scaffolding.class.getClassLoader() , "NetworkReferences" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(NetworkReferences_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "NetworkReferences" ); } }
84
WxPaiedNotifyRequest
/** */ /** * @author wenhua.tang */ public class WxPaiedNotifyRequest { // 协议层 private String return_code = ""; private String return_msg = ""; // 协议返回的具体数据(以下字段在return_code 为SUCCESS 的时候有返回) private String appid = ""; private String mch_id = ""; private String device_info = ""; private String nonce_str = ""; private String sign = ""; private String sign_type = ""; private String result_code = ""; private String err_code = ""; private String err_code_des = ""; private String openid = ""; private String is_subscribe = ""; private String trade_type = ""; private String bank_type = ""; private int total_fee = 0; private int settlement_total_fee = 0; private String fee_type = ""; private int cash_fee = 0; private String cash_fee_type = ""; private int coupon_fee = 0; private int coupon_count = 0; private String transaction_id = ""; private String out_trade_no = ""; private String time_end = ""; public String getReturn_code() { return return_code; } public void setReturn_code(String return_code) { this.return_code = return_code; } public String getReturn_msg() { return return_msg; } public void setReturn_msg(String return_msg) { this.return_msg = return_msg; } public String getAppid() { return appid; } public void setAppid(String appid) { this.appid = appid; } public String getMch_id() { return mch_id; } public void setMch_id(String mch_id) { this.mch_id = mch_id; } public String getDevice_info() { return device_info; } public void setDevice_info(String device_info) { this.device_info = device_info; } public String getNonce_str() { return nonce_str; } public void setNonce_str(String nonce_str) { this.nonce_str = nonce_str; } public String getSign() { return sign; } public void setSign(String sign) { this.sign = sign; } public String getSign_type() { return sign_type; } public void setSign_type(String sign_type) { this.sign_type = sign_type; } public String getResult_code() { return result_code; } public void setResult_code(String result_code) { this.result_code = result_code; } public String getErr_code() { return err_code; } public void setErr_code(String err_code) { this.err_code = err_code; } public String getErr_code_des() { return err_code_des; } public void setErr_code_des(String err_code_des) { this.err_code_des = err_code_des; } public String getOpenid() { return openid; } public void setOpenid(String openid) { this.openid = openid; } public String getIs_subscribe() { return is_subscribe; } public void setIs_subscribe(String is_subscribe) { this.is_subscribe = is_subscribe; } public String getTrade_type() { return trade_type; } public void setTrade_type(String trade_type) { this.trade_type = trade_type; } public String getBank_type() { return bank_type; } public void setBank_type(String bank_type) { this.bank_type = bank_type; } public int getTotal_fee() { return total_fee; } public void setTotal_fee(int total_fee) { this.total_fee = total_fee; } public int getSettlement_total_fee() { return settlement_total_fee; } public void setSettlement_total_fee(int settlement_total_fee) { this.settlement_total_fee = settlement_total_fee; } public String getFee_type() { return fee_type; } public void setFee_type(String fee_type) { this.fee_type = fee_type; } public int getCash_fee() { return cash_fee; } public void setCash_fee(int cash_fee) { this.cash_fee = cash_fee; } public String getCash_fee_type() { return cash_fee_type; } public void setCash_fee_type(String cash_fee_type) { this.cash_fee_type = cash_fee_type; } public int getCoupon_fee() { return coupon_fee; } public void setCoupon_fee(int coupon_fee) { this.coupon_fee = coupon_fee; } public int getCoupon_count() { return coupon_count; } public void setCoupon_count(int coupon_count) { this.coupon_count = coupon_count; } public String getTransaction_id() { return transaction_id; } public void setTransaction_id(String transaction_id) { this.transaction_id = transaction_id; } public String getOut_trade_no() { return out_trade_no; } public void setOut_trade_no(String out_trade_no) { this.out_trade_no = out_trade_no; } public String getTime_end() { return time_end; } public void setTime_end(String time_end) { this.time_end = time_end; } }
.version 52 0 .class public super WxPaiedNotifyRequest .super java/lang/Object .field private return_code Ljava/lang/String; .field private return_msg Ljava/lang/String; .field private appid Ljava/lang/String; .field private mch_id Ljava/lang/String; .field private device_info Ljava/lang/String; .field private nonce_str Ljava/lang/String; .field private sign Ljava/lang/String; .field private sign_type Ljava/lang/String; .field private result_code Ljava/lang/String; .field private err_code Ljava/lang/String; .field private err_code_des Ljava/lang/String; .field private openid Ljava/lang/String; .field private is_subscribe Ljava/lang/String; .field private trade_type Ljava/lang/String; .field private bank_type Ljava/lang/String; .field private total_fee I .field private settlement_total_fee I .field private fee_type Ljava/lang/String; .field private cash_fee I .field private cash_fee_type Ljava/lang/String; .field private coupon_fee I .field private coupon_count I .field private transaction_id Ljava/lang/String; .field private out_trade_no Ljava/lang/String; .field private time_end 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 '' L7: putfield Field WxPaiedNotifyRequest return_code Ljava/lang/String; L10: aload_0 L11: ldc '' L13: putfield Field WxPaiedNotifyRequest return_msg Ljava/lang/String; L16: aload_0 L17: ldc '' L19: putfield Field WxPaiedNotifyRequest appid Ljava/lang/String; L22: aload_0 L23: ldc '' L25: putfield Field WxPaiedNotifyRequest mch_id Ljava/lang/String; L28: aload_0 L29: ldc '' L31: putfield Field WxPaiedNotifyRequest device_info Ljava/lang/String; L34: aload_0 L35: ldc '' L37: putfield Field WxPaiedNotifyRequest nonce_str Ljava/lang/String; L40: aload_0 L41: ldc '' L43: putfield Field WxPaiedNotifyRequest sign Ljava/lang/String; L46: aload_0 L47: ldc '' L49: putfield Field WxPaiedNotifyRequest sign_type Ljava/lang/String; L52: aload_0 L53: ldc '' L55: putfield Field WxPaiedNotifyRequest result_code Ljava/lang/String; L58: aload_0 L59: ldc '' L61: putfield Field WxPaiedNotifyRequest err_code Ljava/lang/String; L64: aload_0 L65: ldc '' L67: putfield Field WxPaiedNotifyRequest err_code_des Ljava/lang/String; L70: aload_0 L71: ldc '' L73: putfield Field WxPaiedNotifyRequest openid Ljava/lang/String; L76: aload_0 L77: ldc '' L79: putfield Field WxPaiedNotifyRequest is_subscribe Ljava/lang/String; L82: aload_0 L83: ldc '' L85: putfield Field WxPaiedNotifyRequest trade_type Ljava/lang/String; L88: aload_0 L89: ldc '' L91: putfield Field WxPaiedNotifyRequest bank_type Ljava/lang/String; L94: aload_0 L95: iconst_0 L96: putfield Field WxPaiedNotifyRequest total_fee I L99: aload_0 L100: iconst_0 L101: putfield Field WxPaiedNotifyRequest settlement_total_fee I L104: aload_0 L105: ldc '' L107: putfield Field WxPaiedNotifyRequest fee_type Ljava/lang/String; L110: aload_0 L111: iconst_0 L112: putfield Field WxPaiedNotifyRequest cash_fee I L115: aload_0 L116: ldc '' L118: putfield Field WxPaiedNotifyRequest cash_fee_type Ljava/lang/String; L121: aload_0 L122: iconst_0 L123: putfield Field WxPaiedNotifyRequest coupon_fee I L126: aload_0 L127: iconst_0 L128: putfield Field WxPaiedNotifyRequest coupon_count I L131: aload_0 L132: ldc '' L134: putfield Field WxPaiedNotifyRequest transaction_id Ljava/lang/String; L137: aload_0 L138: ldc '' L140: putfield Field WxPaiedNotifyRequest out_trade_no Ljava/lang/String; L143: aload_0 L144: ldc '' L146: putfield Field WxPaiedNotifyRequest time_end Ljava/lang/String; L149: return L150: .linenumbertable L0 10 L4 12 L10 13 L16 16 L22 17 L28 18 L34 19 L40 20 L46 21 L52 22 L58 23 L64 24 L70 26 L76 27 L82 28 L88 29 L94 30 L99 31 L104 32 L110 33 L115 35 L121 36 L126 37 L131 39 L137 40 L143 41 .end linenumbertable .end code .end method .method public getReturn_code : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WxPaiedNotifyRequest return_code Ljava/lang/String; L4: areturn L5: .linenumbertable L0 44 .end linenumbertable .end code .end method .method public setReturn_code : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field WxPaiedNotifyRequest return_code Ljava/lang/String; L5: return L6: .linenumbertable L0 48 L5 49 .end linenumbertable .end code .end method .method public getReturn_msg : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WxPaiedNotifyRequest return_msg Ljava/lang/String; L4: areturn L5: .linenumbertable L0 52 .end linenumbertable .end code .end method .method public setReturn_msg : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field WxPaiedNotifyRequest return_msg Ljava/lang/String; L5: return L6: .linenumbertable L0 56 L5 57 .end linenumbertable .end code .end method .method public getAppid : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WxPaiedNotifyRequest appid Ljava/lang/String; L4: areturn L5: .linenumbertable L0 60 .end linenumbertable .end code .end method .method public setAppid : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field WxPaiedNotifyRequest appid Ljava/lang/String; L5: return L6: .linenumbertable L0 64 L5 65 .end linenumbertable .end code .end method .method public getMch_id : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WxPaiedNotifyRequest mch_id Ljava/lang/String; L4: areturn L5: .linenumbertable L0 68 .end linenumbertable .end code .end method .method public setMch_id : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field WxPaiedNotifyRequest mch_id Ljava/lang/String; L5: return L6: .linenumbertable L0 72 L5 73 .end linenumbertable .end code .end method .method public getDevice_info : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WxPaiedNotifyRequest device_info Ljava/lang/String; L4: areturn L5: .linenumbertable L0 76 .end linenumbertable .end code .end method .method public setDevice_info : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field WxPaiedNotifyRequest device_info Ljava/lang/String; L5: return L6: .linenumbertable L0 80 L5 81 .end linenumbertable .end code .end method .method public getNonce_str : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WxPaiedNotifyRequest nonce_str Ljava/lang/String; L4: areturn L5: .linenumbertable L0 84 .end linenumbertable .end code .end method .method public setNonce_str : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field WxPaiedNotifyRequest nonce_str Ljava/lang/String; L5: return L6: .linenumbertable L0 88 L5 89 .end linenumbertable .end code .end method .method public getSign : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WxPaiedNotifyRequest sign Ljava/lang/String; L4: areturn L5: .linenumbertable L0 92 .end linenumbertable .end code .end method .method public setSign : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field WxPaiedNotifyRequest sign Ljava/lang/String; L5: return L6: .linenumbertable L0 96 L5 97 .end linenumbertable .end code .end method .method public getSign_type : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WxPaiedNotifyRequest sign_type Ljava/lang/String; L4: areturn L5: .linenumbertable L0 100 .end linenumbertable .end code .end method .method public setSign_type : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field WxPaiedNotifyRequest sign_type Ljava/lang/String; L5: return L6: .linenumbertable L0 104 L5 105 .end linenumbertable .end code .end method .method public getResult_code : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WxPaiedNotifyRequest result_code Ljava/lang/String; L4: areturn L5: .linenumbertable L0 108 .end linenumbertable .end code .end method .method public setResult_code : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field WxPaiedNotifyRequest result_code Ljava/lang/String; L5: return L6: .linenumbertable L0 112 L5 113 .end linenumbertable .end code .end method .method public getErr_code : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WxPaiedNotifyRequest err_code Ljava/lang/String; L4: areturn L5: .linenumbertable L0 116 .end linenumbertable .end code .end method .method public setErr_code : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field WxPaiedNotifyRequest err_code Ljava/lang/String; L5: return L6: .linenumbertable L0 120 L5 121 .end linenumbertable .end code .end method .method public getErr_code_des : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WxPaiedNotifyRequest err_code_des Ljava/lang/String; L4: areturn L5: .linenumbertable L0 124 .end linenumbertable .end code .end method .method public setErr_code_des : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field WxPaiedNotifyRequest err_code_des Ljava/lang/String; L5: return L6: .linenumbertable L0 128 L5 129 .end linenumbertable .end code .end method .method public getOpenid : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WxPaiedNotifyRequest openid Ljava/lang/String; L4: areturn L5: .linenumbertable L0 132 .end linenumbertable .end code .end method .method public setOpenid : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field WxPaiedNotifyRequest openid Ljava/lang/String; L5: return L6: .linenumbertable L0 136 L5 137 .end linenumbertable .end code .end method .method public getIs_subscribe : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WxPaiedNotifyRequest is_subscribe Ljava/lang/String; L4: areturn L5: .linenumbertable L0 140 .end linenumbertable .end code .end method .method public setIs_subscribe : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field WxPaiedNotifyRequest is_subscribe Ljava/lang/String; L5: return L6: .linenumbertable L0 144 L5 145 .end linenumbertable .end code .end method .method public getTrade_type : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WxPaiedNotifyRequest trade_type Ljava/lang/String; L4: areturn L5: .linenumbertable L0 148 .end linenumbertable .end code .end method .method public setTrade_type : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field WxPaiedNotifyRequest trade_type Ljava/lang/String; L5: return L6: .linenumbertable L0 152 L5 153 .end linenumbertable .end code .end method .method public getBank_type : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WxPaiedNotifyRequest bank_type Ljava/lang/String; L4: areturn L5: .linenumbertable L0 156 .end linenumbertable .end code .end method .method public setBank_type : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field WxPaiedNotifyRequest bank_type Ljava/lang/String; L5: return L6: .linenumbertable L0 160 L5 161 .end linenumbertable .end code .end method .method public getTotal_fee : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field WxPaiedNotifyRequest total_fee I L4: ireturn L5: .linenumbertable L0 164 .end linenumbertable .end code .end method .method public setTotal_fee : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field WxPaiedNotifyRequest total_fee I L5: return L6: .linenumbertable L0 168 L5 169 .end linenumbertable .end code .end method .method public getSettlement_total_fee : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field WxPaiedNotifyRequest settlement_total_fee I L4: ireturn L5: .linenumbertable L0 172 .end linenumbertable .end code .end method .method public setSettlement_total_fee : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field WxPaiedNotifyRequest settlement_total_fee I L5: return L6: .linenumbertable L0 176 L5 177 .end linenumbertable .end code .end method .method public getFee_type : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WxPaiedNotifyRequest fee_type Ljava/lang/String; L4: areturn L5: .linenumbertable L0 180 .end linenumbertable .end code .end method .method public setFee_type : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field WxPaiedNotifyRequest fee_type Ljava/lang/String; L5: return L6: .linenumbertable L0 184 L5 185 .end linenumbertable .end code .end method .method public getCash_fee : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field WxPaiedNotifyRequest cash_fee I L4: ireturn L5: .linenumbertable L0 188 .end linenumbertable .end code .end method .method public setCash_fee : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field WxPaiedNotifyRequest cash_fee I L5: return L6: .linenumbertable L0 192 L5 193 .end linenumbertable .end code .end method .method public getCash_fee_type : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WxPaiedNotifyRequest cash_fee_type Ljava/lang/String; L4: areturn L5: .linenumbertable L0 196 .end linenumbertable .end code .end method .method public setCash_fee_type : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field WxPaiedNotifyRequest cash_fee_type Ljava/lang/String; L5: return L6: .linenumbertable L0 200 L5 201 .end linenumbertable .end code .end method .method public getCoupon_fee : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field WxPaiedNotifyRequest coupon_fee I L4: ireturn L5: .linenumbertable L0 204 .end linenumbertable .end code .end method .method public setCoupon_fee : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field WxPaiedNotifyRequest coupon_fee I L5: return L6: .linenumbertable L0 208 L5 209 .end linenumbertable .end code .end method .method public getCoupon_count : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field WxPaiedNotifyRequest coupon_count I L4: ireturn L5: .linenumbertable L0 212 .end linenumbertable .end code .end method .method public setCoupon_count : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field WxPaiedNotifyRequest coupon_count I L5: return L6: .linenumbertable L0 216 L5 217 .end linenumbertable .end code .end method .method public getTransaction_id : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WxPaiedNotifyRequest transaction_id Ljava/lang/String; L4: areturn L5: .linenumbertable L0 220 .end linenumbertable .end code .end method .method public setTransaction_id : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field WxPaiedNotifyRequest transaction_id Ljava/lang/String; L5: return L6: .linenumbertable L0 224 L5 225 .end linenumbertable .end code .end method .method public getOut_trade_no : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WxPaiedNotifyRequest out_trade_no Ljava/lang/String; L4: areturn L5: .linenumbertable L0 228 .end linenumbertable .end code .end method .method public setOut_trade_no : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field WxPaiedNotifyRequest out_trade_no Ljava/lang/String; L5: return L6: .linenumbertable L0 232 L5 233 .end linenumbertable .end code .end method .method public getTime_end : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WxPaiedNotifyRequest time_end Ljava/lang/String; L4: areturn L5: .linenumbertable L0 236 .end linenumbertable .end code .end method .method public setTime_end : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field WxPaiedNotifyRequest time_end Ljava/lang/String; L5: return L6: .linenumbertable L0 240 L5 241 .end linenumbertable .end code .end method .sourcefile 'WxPaiedNotifyRequest.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 22:23:56 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 WxPaiedNotifyRequest_ESTest extends WxPaiedNotifyRequest_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setTransaction_id((String) null); wxPaiedNotifyRequest0.getTransaction_id(); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); } @Test(timeout = 4000) public void test01() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setTransaction_id("g5<$r7BUHF"); wxPaiedNotifyRequest0.getTransaction_id(); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); } @Test(timeout = 4000) public void test02() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setTrade_type((String) null); wxPaiedNotifyRequest0.getTrade_type(); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); } @Test(timeout = 4000) public void test03() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setTrade_type("NpR'_"); wxPaiedNotifyRequest0.getTrade_type(); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); } @Test(timeout = 4000) public void test04() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); wxPaiedNotifyRequest0.setTotal_fee(1); int int0 = wxPaiedNotifyRequest0.getTotal_fee(); assertEquals(1, int0); } @Test(timeout = 4000) public void test05() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setTotal_fee((-56208)); int int0 = wxPaiedNotifyRequest0.getTotal_fee(); assertEquals((-56208), int0); } @Test(timeout = 4000) public void test06() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setTime_end("HlH8f2-mNYV'9N"); wxPaiedNotifyRequest0.getTime_end(); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); } @Test(timeout = 4000) public void test07() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setSign_type("WxPaiedNotifyRequest"); wxPaiedNotifyRequest0.getSign_type(); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); } @Test(timeout = 4000) public void test08() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setSign("T.,Q[Q-xgu3kG\"}hNTf"); wxPaiedNotifyRequest0.getSign(); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); } @Test(timeout = 4000) public void test09() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setSettlement_total_fee(8154); int int0 = wxPaiedNotifyRequest0.getSettlement_total_fee(); assertEquals(8154, int0); } @Test(timeout = 4000) public void test10() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setReturn_msg((String) null); wxPaiedNotifyRequest0.getReturn_msg(); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); } @Test(timeout = 4000) public void test11() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setReturn_msg("3zt\"Se3*Cv6GGc>VW"); wxPaiedNotifyRequest0.getReturn_msg(); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); } @Test(timeout = 4000) public void test12() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setReturn_code("LTNC{vx N|9Apomfe"); wxPaiedNotifyRequest0.getReturn_code(); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); } @Test(timeout = 4000) public void test13() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setResult_code((String) null); wxPaiedNotifyRequest0.getResult_code(); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); } @Test(timeout = 4000) public void test14() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setResult_code("mCT5v4n/n|`.c=wb5"); wxPaiedNotifyRequest0.getResult_code(); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); } @Test(timeout = 4000) public void test15() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setOut_trade_no((String) null); wxPaiedNotifyRequest0.getOut_trade_no(); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); } @Test(timeout = 4000) public void test16() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setOut_trade_no("MW"); wxPaiedNotifyRequest0.getOut_trade_no(); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); } @Test(timeout = 4000) public void test17() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setOpenid("#*`jAC0t"); wxPaiedNotifyRequest0.getOpenid(); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); } @Test(timeout = 4000) public void test18() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setNonce_str("&wHk>u^<Fe*pvXl"); wxPaiedNotifyRequest0.getNonce_str(); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); } @Test(timeout = 4000) public void test19() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setMch_id((String) null); wxPaiedNotifyRequest0.getMch_id(); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); } @Test(timeout = 4000) public void test20() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setMch_id("0P(e1T^I=9+(]yac"); wxPaiedNotifyRequest0.getMch_id(); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); } @Test(timeout = 4000) public void test21() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setIs_subscribe((String) null); wxPaiedNotifyRequest0.getIs_subscribe(); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); } @Test(timeout = 4000) public void test22() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setIs_subscribe("*G_ekd"); wxPaiedNotifyRequest0.getIs_subscribe(); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); } @Test(timeout = 4000) public void test23() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setFee_type((String) null); wxPaiedNotifyRequest0.getFee_type(); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); } @Test(timeout = 4000) public void test24() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setFee_type("x"); wxPaiedNotifyRequest0.getFee_type(); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); } @Test(timeout = 4000) public void test25() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setErr_code_des((String) null); wxPaiedNotifyRequest0.getErr_code_des(); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); } @Test(timeout = 4000) public void test26() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setErr_code_des("="); wxPaiedNotifyRequest0.getErr_code_des(); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); } @Test(timeout = 4000) public void test27() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setErr_code((String) null); wxPaiedNotifyRequest0.getErr_code(); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); } @Test(timeout = 4000) public void test28() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setErr_code(".b_M%"); wxPaiedNotifyRequest0.getErr_code(); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); } @Test(timeout = 4000) public void test29() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setDevice_info((String) null); wxPaiedNotifyRequest0.getDevice_info(); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); } @Test(timeout = 4000) public void test30() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setDevice_info("_t:,3QW"); wxPaiedNotifyRequest0.getDevice_info(); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); } @Test(timeout = 4000) public void test31() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setCoupon_fee(62624); int int0 = wxPaiedNotifyRequest0.getCoupon_fee(); assertEquals(62624, int0); } @Test(timeout = 4000) public void test32() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setCoupon_fee((-5299)); int int0 = wxPaiedNotifyRequest0.getCoupon_fee(); assertEquals((-5299), int0); } @Test(timeout = 4000) public void test33() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setCoupon_count(36118); int int0 = wxPaiedNotifyRequest0.getCoupon_count(); assertEquals(36118, int0); } @Test(timeout = 4000) public void test34() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setCoupon_count((-27616)); int int0 = wxPaiedNotifyRequest0.getCoupon_count(); assertEquals((-27616), int0); } @Test(timeout = 4000) public void test35() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setCash_fee_type((String) null); wxPaiedNotifyRequest0.getCash_fee_type(); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); } @Test(timeout = 4000) public void test36() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setCash_fee_type("=bH(!HLR]T2?HDh<'"); wxPaiedNotifyRequest0.getCash_fee_type(); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); } @Test(timeout = 4000) public void test37() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); wxPaiedNotifyRequest0.setCash_fee(1); int int0 = wxPaiedNotifyRequest0.getCash_fee(); assertEquals(1, int0); } @Test(timeout = 4000) public void test38() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setCash_fee((-1)); int int0 = wxPaiedNotifyRequest0.getCash_fee(); assertEquals((-1), int0); } @Test(timeout = 4000) public void test39() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setBank_type("W-"); wxPaiedNotifyRequest0.getBank_type(); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); } @Test(timeout = 4000) public void test40() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setAppid((String) null); wxPaiedNotifyRequest0.getAppid(); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); } @Test(timeout = 4000) public void test41() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setAppid("1g/H~^Fs{F9F"); wxPaiedNotifyRequest0.getAppid(); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); } @Test(timeout = 4000) public void test42() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.getReturn_code(); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); } @Test(timeout = 4000) public void test43() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setOpenid((String) null); wxPaiedNotifyRequest0.getOpenid(); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); } @Test(timeout = 4000) public void test44() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.getBank_type(); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); } @Test(timeout = 4000) public void test45() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.getCash_fee_type(); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); } @Test(timeout = 4000) public void test46() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setReturn_code((String) null); wxPaiedNotifyRequest0.getReturn_code(); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); } @Test(timeout = 4000) public void test47() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.getTime_end(); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); } @Test(timeout = 4000) public void test48() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.getDevice_info(); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); } @Test(timeout = 4000) public void test49() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.getSign(); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); } @Test(timeout = 4000) public void test50() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.getNonce_str(); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); } @Test(timeout = 4000) public void test51() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.getAppid(); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); } @Test(timeout = 4000) public void test52() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.getOut_trade_no(); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); } @Test(timeout = 4000) public void test53() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.getFee_type(); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); } @Test(timeout = 4000) public void test54() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.getResult_code(); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); } @Test(timeout = 4000) public void test55() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.getErr_code_des(); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); } @Test(timeout = 4000) public void test56() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.getReturn_msg(); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); } @Test(timeout = 4000) public void test57() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setTime_end((String) null); wxPaiedNotifyRequest0.getTime_end(); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); } @Test(timeout = 4000) public void test58() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.getIs_subscribe(); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); } @Test(timeout = 4000) public void test59() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); int int0 = wxPaiedNotifyRequest0.getCoupon_count(); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, int0); } @Test(timeout = 4000) public void test60() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); int int0 = wxPaiedNotifyRequest0.getSettlement_total_fee(); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, int0); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); } @Test(timeout = 4000) public void test61() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setNonce_str((String) null); wxPaiedNotifyRequest0.getNonce_str(); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); } @Test(timeout = 4000) public void test62() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); int int0 = wxPaiedNotifyRequest0.getTotal_fee(); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, int0); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); } @Test(timeout = 4000) public void test63() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.getTrade_type(); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); } @Test(timeout = 4000) public void test64() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setSign((String) null); wxPaiedNotifyRequest0.getSign(); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); } @Test(timeout = 4000) public void test65() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.getSign_type(); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); } @Test(timeout = 4000) public void test66() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setSettlement_total_fee((-2320)); int int0 = wxPaiedNotifyRequest0.getSettlement_total_fee(); assertEquals((-2320), int0); } @Test(timeout = 4000) public void test67() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); int int0 = wxPaiedNotifyRequest0.getCash_fee(); assertEquals(0, int0); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); } @Test(timeout = 4000) public void test68() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.getMch_id(); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); } @Test(timeout = 4000) public void test69() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.getOpenid(); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); } @Test(timeout = 4000) public void test70() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.getTransaction_id(); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); } @Test(timeout = 4000) public void test71() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); int int0 = wxPaiedNotifyRequest0.getCoupon_fee(); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, int0); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); } @Test(timeout = 4000) public void test72() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.setSign_type((String) null); wxPaiedNotifyRequest0.getSign_type(); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); } @Test(timeout = 4000) public void test73() throws Throwable { WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest(); wxPaiedNotifyRequest0.getErr_code(); assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count()); assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee()); assertEquals(0, wxPaiedNotifyRequest0.getCash_fee()); assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 22:23:56 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 WxPaiedNotifyRequest_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 = "WxPaiedNotifyRequest"; 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/tmp30in8m9c"); 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(WxPaiedNotifyRequest_ESTest_scaffolding.class.getClassLoader() , "WxPaiedNotifyRequest" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(WxPaiedNotifyRequest_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "WxPaiedNotifyRequest" ); } }
85
Main
/* * Copyright (C) 2015 Intel Corporation * * 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. */ class Main { static final int iterations = 10; public static double simple_method(double jj, double ii) { jj = ii * jj; return jj; } public static void main(String[] args) { double workJ = 2.0; double workK = 3.0; System.out.println("Initial workJ value is " + workJ); for (double i = 0.0; i < iterations; i++) { workJ = simple_method(workJ, workK) + i; } System.out.println("Final workJ value is " + workJ); } }
.version 52 0 .class super Main .super java/lang/Object .field static final iterations I = 10 .method <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 18 .end linenumbertable .end code .end method .method public static simple_method : (DD)D .code stack 4 locals 4 L0: dload_2 L1: dload_0 L2: dmul L3: dstore_0 L4: dload_0 L5: dreturn L6: .linenumbertable L0 22 L4 23 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 4 locals 7 L0: ldc2_w +2.0 L3: dstore_1 L4: ldc2_w +3.0 L7: dstore_3 L8: getstatic Field java/lang/System out Ljava/io/PrintStream; L11: new java/lang/StringBuilder L14: dup L15: invokespecial Method java/lang/StringBuilder <init> ()V L18: ldc 'Initial workJ value is ' L20: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L23: dload_1 L24: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder; L27: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L30: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L33: dconst_0 L34: dstore 5 .stack append Double Double Double L36: dload 5 L38: ldc2_w +10.0 L41: dcmpg L42: ifge L63 L45: dload_1 L46: dload_3 L47: invokestatic Method Main simple_method (DD)D L50: dload 5 L52: dadd L53: dstore_1 L54: dload 5 L56: dconst_1 L57: dadd L58: dstore 5 L60: goto L36 .stack chop 1 L63: getstatic Field java/lang/System out Ljava/io/PrintStream; L66: new java/lang/StringBuilder L69: dup L70: invokespecial Method java/lang/StringBuilder <init> ()V L73: ldc 'Final workJ value is ' L75: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L78: dload_1 L79: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder; L82: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L85: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L88: return L89: .linenumbertable L0 27 L4 28 L8 30 L33 32 L45 33 L54 32 L63 36 L88 37 .end linenumbertable .end code .end method .sourcefile 'Main.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 04:01:41 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 Main_ESTest extends Main_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { String[] stringArray0 = new String[0]; Main.main(stringArray0); Main.main(stringArray0); Main.main(stringArray0); Main.main(stringArray0); Main.main(stringArray0); Main.simple_method(35503.74900703305, 35503.74900703305); Main.main(stringArray0); Main main0 = new Main(); String[] stringArray1 = new String[9]; stringArray1[0] = ""; stringArray1[1] = "Main"; stringArray1[2] = "_Aj|9twhd4M?F"; stringArray1[3] = "%sa1"; stringArray1[4] = ""; stringArray1[5] = ""; stringArray1[6] = "Final workJ value is "; stringArray1[7] = ""; stringArray1[8] = ""; Main.main(stringArray1); Main.main(stringArray0); double double0 = Main.simple_method(0.0, 41902.762525326194); assertEquals(0.0, double0, 1.0E-4); } @Test(timeout = 4000) public void test1() throws Throwable { Main.simple_method((-1.0), (-1.0)); String[] stringArray0 = new String[0]; Main.main(stringArray0); Main.simple_method((-1.0), (-1.0)); Main.simple_method(0.0, 0.0); Main main0 = new Main(); String[] stringArray1 = new String[2]; stringArray1[0] = "[8X$69\"a>CNr6/q`T"; stringArray1[1] = ""; Main.main(stringArray1); Main.main(stringArray0); Main.main(stringArray0); Main.main(stringArray0); Main.simple_method(1.0, (-13969.16626456413)); Main.simple_method(0.0, 11919.29721228); Main.main(stringArray0); Main.simple_method(0.0, (-1.0)); Main.simple_method(0.0, -0.0); Main.simple_method((-1.0), 0.0); Main.simple_method(1.0, 0.0); Main.main(stringArray0); Main.main(stringArray0); Main.simple_method(0.0, 2644.01995); double double0 = Main.simple_method((-13969.16626456413), 1.0); assertEquals((-13969.16626456413), double0, 1.0E-4); Main.simple_method((-1.0), (-1.0)); double double1 = Main.simple_method(0.0, 0.0); assertEquals(0.0, double1, 1.0E-4); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 04:01:41 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 Main_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 = "Main"; 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/tmpv8c9mgc8"); 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(Main_ESTest_scaffolding.class.getClassLoader() , "Main" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Main_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Main" ); } }
86
HostInfo
import java.io.Serializable; public class HostInfo implements Serializable { private String name; private String ip; private String rack; public HostInfo(String name, String ip, String rack) { this.name = name; this.ip = ip; this.rack = rack; } public String getName() { return name; } public String getIp() { return ip; } public String getRack() { return rack; } }
.version 52 0 .class public super HostInfo .super java/lang/Object .implements java/io/Serializable .field private name Ljava/lang/String; .field private ip Ljava/lang/String; .field private rack Ljava/lang/String; .method public <init> : (Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V .code stack 2 locals 4 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: aload_1 L6: putfield Field HostInfo name Ljava/lang/String; L9: aload_0 L10: aload_2 L11: putfield Field HostInfo ip Ljava/lang/String; L14: aload_0 L15: aload_3 L16: putfield Field HostInfo rack Ljava/lang/String; L19: return L20: .linenumbertable L0 11 L4 13 L9 14 L14 15 L19 16 .end linenumbertable .end code .end method .method public getName : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field HostInfo name Ljava/lang/String; L4: areturn L5: .linenumbertable L0 19 .end linenumbertable .end code .end method .method public getIp : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field HostInfo ip Ljava/lang/String; L4: areturn L5: .linenumbertable L0 23 .end linenumbertable .end code .end method .method public getRack : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field HostInfo rack Ljava/lang/String; L4: areturn L5: .linenumbertable L0 27 .end linenumbertable .end code .end method .sourcefile 'HostInfo.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 01:42:14 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 HostInfo_ESTest extends HostInfo_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { HostInfo hostInfo0 = new HostInfo((String) null, (String) null, (String) null); String string0 = hostInfo0.getRack(); assertNull(string0); } @Test(timeout = 4000) public void test1() throws Throwable { HostInfo hostInfo0 = new HostInfo("HostInfo", "HostInfo", "HostInfo"); String string0 = hostInfo0.getRack(); assertEquals("HostInfo", string0); } @Test(timeout = 4000) public void test2() throws Throwable { HostInfo hostInfo0 = new HostInfo((String) null, (String) null, (String) null); String string0 = hostInfo0.getName(); assertNull(string0); } @Test(timeout = 4000) public void test3() throws Throwable { HostInfo hostInfo0 = new HostInfo("HostInfo", "HostInfo", "HostInfo"); String string0 = hostInfo0.getName(); assertEquals("HostInfo", string0); } @Test(timeout = 4000) public void test4() throws Throwable { HostInfo hostInfo0 = new HostInfo((String) null, (String) null, (String) null); String string0 = hostInfo0.getIp(); assertNull(string0); } @Test(timeout = 4000) public void test5() throws Throwable { HostInfo hostInfo0 = new HostInfo("HostInfo", "HostInfo", "HostInfo"); String string0 = hostInfo0.getIp(); assertEquals("HostInfo", string0); } @Test(timeout = 4000) public void test6() throws Throwable { HostInfo hostInfo0 = new HostInfo("", "", ""); String string0 = hostInfo0.getRack(); assertEquals("", string0); } @Test(timeout = 4000) public void test7() throws Throwable { HostInfo hostInfo0 = new HostInfo("", "", ""); String string0 = hostInfo0.getName(); assertEquals("", string0); } @Test(timeout = 4000) public void test8() throws Throwable { HostInfo hostInfo0 = new HostInfo("", "", ""); String string0 = hostInfo0.getIp(); assertEquals("", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 01:42:14 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 HostInfo_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 = "HostInfo"; 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/tmpjv4bfn_u"); 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(HostInfo_ESTest_scaffolding.class.getClassLoader() , "HostInfo" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(HostInfo_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "HostInfo" ); } }
87
SMSMessage
import java.text.DateFormat; import java.util.Date; import java.util.Locale; public class SMSMessage { private static final Locale SV_SE = new Locale("sv", "SE"); private final long date; private final String location; private final String body; private final String opName; private final String contactInfo; public SMSMessage( final long date, final String place, final String body, final String opName, final String contactInfo) { this.date = date; this.location = place; this.body = body; this.opName = opName; this.contactInfo = contactInfo; } public long getDate() { return date; } public String getLocation() { return location; } public String getBody() { return body; } public String getOpName() { return opName; } public String getContactInfo() { return contactInfo; } @Override public String toString() { StringBuilder sb = new StringBuilder(); sb.append(opName + ": "); sb.append(body.endsWith(".") ? body : body.concat(". ")); DateFormat df = DateFormat.getDateTimeInstance(DateFormat.SHORT, DateFormat.MEDIUM, SV_SE); sb.append(df.format(new Date(date)) + ", "); sb.append(location + ", "); sb.append("Tel: " + contactInfo); return sb.toString(); } public int getMessageLength() { return this.toString().length(); } }
.version 52 0 .class public super SMSMessage .super java/lang/Object .field private static final SV_SE Ljava/util/Locale; .field private final date J .field private final location Ljava/lang/String; .field private final body Ljava/lang/String; .field private final opName Ljava/lang/String; .field private final contactInfo Ljava/lang/String; .method public <init> : (JLjava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V .code stack 3 locals 7 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: lload_1 L6: putfield Field SMSMessage date J L9: aload_0 L10: aload_3 L11: putfield Field SMSMessage location Ljava/lang/String; L14: aload_0 L15: aload 4 L17: putfield Field SMSMessage body Ljava/lang/String; L20: aload_0 L21: aload 5 L23: putfield Field SMSMessage opName Ljava/lang/String; L26: aload_0 L27: aload 6 L29: putfield Field SMSMessage contactInfo Ljava/lang/String; L32: return L33: .linenumbertable L0 17 L4 18 L9 19 L14 20 L20 21 L26 22 L32 23 .end linenumbertable .end code .end method .method public getDate : ()J .code stack 2 locals 1 L0: aload_0 L1: getfield Field SMSMessage date J L4: lreturn L5: .linenumbertable L0 26 .end linenumbertable .end code .end method .method public getLocation : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field SMSMessage location Ljava/lang/String; L4: areturn L5: .linenumbertable L0 30 .end linenumbertable .end code .end method .method public getBody : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field SMSMessage body Ljava/lang/String; L4: areturn L5: .linenumbertable L0 34 .end linenumbertable .end code .end method .method public getOpName : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field SMSMessage opName Ljava/lang/String; L4: areturn L5: .linenumbertable L0 38 .end linenumbertable .end code .end method .method public getContactInfo : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field SMSMessage contactInfo Ljava/lang/String; L4: areturn L5: .linenumbertable L0 42 .end linenumbertable .end code .end method .method public toString : ()Ljava/lang/String; .code stack 7 locals 3 L0: new java/lang/StringBuilder L3: dup L4: invokespecial Method java/lang/StringBuilder <init> ()V L7: astore_1 L8: aload_1 L9: new java/lang/StringBuilder L12: dup L13: invokespecial Method java/lang/StringBuilder <init> ()V L16: aload_0 L17: getfield Field SMSMessage opName Ljava/lang/String; L20: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L23: ldc ': ' L25: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L28: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L31: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L34: pop L35: aload_1 L36: aload_0 L37: getfield Field SMSMessage body Ljava/lang/String; L40: ldc '.' L42: invokevirtual Method java/lang/String endsWith (Ljava/lang/String;)Z L45: ifeq L55 L48: aload_0 L49: getfield Field SMSMessage body Ljava/lang/String; L52: goto L64 .stack full locals Object SMSMessage Object java/lang/StringBuilder stack Object java/lang/StringBuilder .end stack L55: aload_0 L56: getfield Field SMSMessage body Ljava/lang/String; L59: ldc '. ' L61: invokevirtual Method java/lang/String concat (Ljava/lang/String;)Ljava/lang/String; .stack full locals Object SMSMessage Object java/lang/StringBuilder stack Object java/lang/StringBuilder Object java/lang/String .end stack L64: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L67: pop L68: iconst_3 L69: iconst_2 L70: getstatic Field SMSMessage SV_SE Ljava/util/Locale; L73: invokestatic Method java/text/DateFormat getDateTimeInstance (IILjava/util/Locale;)Ljava/text/DateFormat; L76: astore_2 L77: aload_1 L78: new java/lang/StringBuilder L81: dup L82: invokespecial Method java/lang/StringBuilder <init> ()V L85: aload_2 L86: new java/util/Date L89: dup L90: aload_0 L91: getfield Field SMSMessage date J L94: invokespecial Method java/util/Date <init> (J)V L97: invokevirtual Method java/text/DateFormat format (Ljava/util/Date;)Ljava/lang/String; L100: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L103: ldc ', ' L105: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L108: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L111: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L114: pop L115: aload_1 L116: new java/lang/StringBuilder L119: dup L120: invokespecial Method java/lang/StringBuilder <init> ()V L123: aload_0 L124: getfield Field SMSMessage location Ljava/lang/String; L127: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L130: ldc ', ' L132: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L135: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L138: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L141: pop L142: aload_1 L143: new java/lang/StringBuilder L146: dup L147: invokespecial Method java/lang/StringBuilder <init> ()V L150: ldc 'Tel: ' L152: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L155: aload_0 L156: getfield Field SMSMessage contactInfo Ljava/lang/String; L159: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L162: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L165: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L168: pop L169: aload_1 L170: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L173: areturn L174: .linenumbertable L0 47 L8 48 L35 49 L68 50 L77 52 L115 53 L142 54 L169 55 .end linenumbertable .end code .end method .method public getMessageLength : ()I .code stack 1 locals 1 L0: aload_0 L1: invokevirtual Method SMSMessage toString ()Ljava/lang/String; L4: invokevirtual Method java/lang/String length ()I L7: ireturn L8: .linenumbertable L0 59 .end linenumbertable .end code .end method .method static <clinit> : ()V .code stack 4 locals 0 L0: new java/util/Locale L3: dup L4: ldc 'sv' L6: ldc 'SE' L8: invokespecial Method java/util/Locale <init> (Ljava/lang/String;Ljava/lang/String;)V L11: putstatic Field SMSMessage SV_SE Ljava/util/Locale; L14: return L15: .linenumbertable L0 8 .end linenumbertable .end code .end method .sourcefile 'SMSMessage.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 08:21: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 SMSMessage_ESTest extends SMSMessage_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { SMSMessage sMSMessage0 = new SMSMessage(0L, "t'9S$;RlL#f7=kx|_U.", "2M5_(VnP+)i=69N!F", "2M5_(VnP+)i=69N!F", "t'9S$;RlL#f7=kx|_U."); sMSMessage0.getMessageLength(); sMSMessage0.toString(); sMSMessage0.getContactInfo(); sMSMessage0.getDate(); String string0 = sMSMessage0.getBody(); assertEquals("2M5_(VnP+)i=69N!F", string0); } @Test(timeout = 4000) public void test01() throws Throwable { SMSMessage sMSMessage0 = new SMSMessage((-1L), "", "", (String) null, ""); sMSMessage0.getOpName(); assertEquals((-1L), sMSMessage0.getDate()); } @Test(timeout = 4000) public void test02() throws Throwable { SMSMessage sMSMessage0 = new SMSMessage((-1L), "", "", "", (String) null); sMSMessage0.getOpName(); assertEquals((-1L), sMSMessage0.getDate()); } @Test(timeout = 4000) public void test03() throws Throwable { SMSMessage sMSMessage0 = new SMSMessage((-117325L), (String) null, (String) null, (String) null, (String) null); sMSMessage0.getLocation(); assertEquals((-117325L), sMSMessage0.getDate()); } @Test(timeout = 4000) public void test04() throws Throwable { SMSMessage sMSMessage0 = new SMSMessage((-1L), "", "", "", (String) null); sMSMessage0.getLocation(); assertEquals((-1L), sMSMessage0.getDate()); } @Test(timeout = 4000) public void test05() throws Throwable { SMSMessage sMSMessage0 = new SMSMessage(53754L, "", "", "", ""); long long0 = sMSMessage0.getDate(); assertEquals(53754L, long0); } @Test(timeout = 4000) public void test06() throws Throwable { SMSMessage sMSMessage0 = new SMSMessage((-1L), "", "", "", (String) null); sMSMessage0.getContactInfo(); assertEquals((-1L), sMSMessage0.getDate()); } @Test(timeout = 4000) public void test07() throws Throwable { SMSMessage sMSMessage0 = new SMSMessage((-1L), "o", "", "", ""); sMSMessage0.getContactInfo(); assertEquals((-1L), sMSMessage0.getDate()); } @Test(timeout = 4000) public void test08() throws Throwable { SMSMessage sMSMessage0 = new SMSMessage(0L, (String) null, (String) null, "fN|", (String) null); String string0 = sMSMessage0.getBody(); assertNull(string0); } @Test(timeout = 4000) public void test09() throws Throwable { SMSMessage sMSMessage0 = new SMSMessage(0L, ".", ".", "Tel: ", "."); String string0 = sMSMessage0.toString(); assertEquals("Tel: : .1970-01-01 00:00:00, ., Tel: .", string0); } @Test(timeout = 4000) public void test10() throws Throwable { SMSMessage sMSMessage0 = new SMSMessage((-13291L), ": ", "", ": ", ": "); sMSMessage0.getLocation(); assertEquals((-13291L), sMSMessage0.getDate()); } @Test(timeout = 4000) public void test11() throws Throwable { SMSMessage sMSMessage0 = new SMSMessage((-13291L), ": ", "", ": ", ": "); sMSMessage0.getOpName(); assertEquals((-13291L), sMSMessage0.getDate()); } @Test(timeout = 4000) public void test12() throws Throwable { SMSMessage sMSMessage0 = new SMSMessage((-13291L), ": ", "", ": ", ": "); long long0 = sMSMessage0.getDate(); assertEquals((-13291L), long0); } @Test(timeout = 4000) public void test13() throws Throwable { SMSMessage sMSMessage0 = new SMSMessage((-13291L), ": ", "", ": ", ": "); sMSMessage0.getBody(); assertEquals((-13291L), sMSMessage0.getDate()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 08:21: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 SMSMessage_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 = "SMSMessage"; 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/tmp7p3uf_v3"); 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(SMSMessage_ESTest_scaffolding.class.getClassLoader() , "SMSMessage" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SMSMessage_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "SMSMessage" ); } }
88
Enclosure
/* * Eddie RSS and Atom feed parser * Copyright (C) 2006 David Pashley * * 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 2 * 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, write to the Free Software * Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA. * * Linking this library statically or dynamically with other modules is making a * combined work based on this library. Thus, the terms and conditions of the GNU * General Public License cover the whole combination. * * As a special exception, the copyright holders of this library give you * permission to link this library with independent modules to produce an * executable, regardless of the license terms of these independent modules, and * to copy and distribute the resulting executable under a liense certified by the * Open Source Initative (http://www.opensource.org), provided that you also meet, * for each linked independent module, the terms and conditions of the license of * that module. An independent module is a module which is not derived from or * based on this library. If you modify this library, you may extend this * exception to your version of the library, but you are not obligated to do so. * If you do not wish to do so, delete this exception statement from your version. */ public class Enclosure { private String url; private String length; private String type; public String toString() { StringBuilder sb = new StringBuilder(); sb.append("{"); sb.append("url: '").append(this.url).append("', "); sb.append("length: '").append(this.length).append("', "); sb.append("type: '").append(this.type).append("'"); sb.append("}"); return sb.toString(); } public String getUrl() { return url; } public void setUrl(String url) { this.url = url; } public String getLength() { return length; } public void setLength(String length) { this.length = length; } public String getType() { return type; } public void setType(String type) { this.type = type; } }
.version 52 0 .class public super Enclosure .super java/lang/Object .field private url Ljava/lang/String; .field private length Ljava/lang/String; .field private type 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 36 .end linenumbertable .end code .end method .method public toString : ()Ljava/lang/String; .code stack 2 locals 2 L0: new java/lang/StringBuilder L3: dup L4: invokespecial Method java/lang/StringBuilder <init> ()V L7: astore_1 L8: aload_1 L9: ldc '{' L11: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L14: pop L15: aload_1 L16: ldc "url: '" L18: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L21: aload_0 L22: getfield Field Enclosure url Ljava/lang/String; L25: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L28: ldc "', " L30: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L33: pop L34: aload_1 L35: ldc "length: '" L37: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L40: aload_0 L41: getfield Field Enclosure length Ljava/lang/String; L44: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L47: ldc "', " L49: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L52: pop L53: aload_1 L54: ldc "type: '" L56: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L59: aload_0 L60: getfield Field Enclosure type Ljava/lang/String; L63: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L66: ldc "'" L68: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L71: pop L72: aload_1 L73: ldc '}' L75: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L78: pop L79: aload_1 L80: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L83: areturn L84: .linenumbertable L0 42 L8 43 L15 44 L34 45 L53 46 L72 47 L79 48 .end linenumbertable .end code .end method .method public getUrl : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Enclosure url Ljava/lang/String; L4: areturn L5: .linenumbertable L0 52 .end linenumbertable .end code .end method .method public setUrl : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Enclosure url Ljava/lang/String; L5: return L6: .linenumbertable L0 55 L5 56 .end linenumbertable .end code .end method .method public getLength : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Enclosure length Ljava/lang/String; L4: areturn L5: .linenumbertable L0 58 .end linenumbertable .end code .end method .method public setLength : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Enclosure length Ljava/lang/String; L5: return L6: .linenumbertable L0 61 L5 62 .end linenumbertable .end code .end method .method public getType : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Enclosure type Ljava/lang/String; L4: areturn L5: .linenumbertable L0 64 .end linenumbertable .end code .end method .method public setType : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Enclosure type Ljava/lang/String; L5: return L6: .linenumbertable L0 67 L5 68 .end linenumbertable .end code .end method .sourcefile 'Enclosure.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 05:32:42 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 Enclosure_ESTest extends Enclosure_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Enclosure enclosure0 = new Enclosure(); enclosure0.setUrl(",$krrhE"); String string0 = enclosure0.getUrl(); assertEquals(",$krrhE", string0); } @Test(timeout = 4000) public void test1() throws Throwable { Enclosure enclosure0 = new Enclosure(); enclosure0.setType("vD y7gb~}V(2z"); String string0 = enclosure0.getType(); assertEquals("vD y7gb~}V(2z", string0); } @Test(timeout = 4000) public void test2() throws Throwable { Enclosure enclosure0 = new Enclosure(); enclosure0.setLength("Iqh k#Lf^)_>TGo41"); String string0 = enclosure0.getLength(); assertEquals("Iqh k#Lf^)_>TGo41", string0); } @Test(timeout = 4000) public void test3() throws Throwable { Enclosure enclosure0 = new Enclosure(); enclosure0.setType(""); String string0 = enclosure0.getType(); assertEquals("", string0); } @Test(timeout = 4000) public void test4() throws Throwable { Enclosure enclosure0 = new Enclosure(); String string0 = enclosure0.getUrl(); assertNull(string0); } @Test(timeout = 4000) public void test5() throws Throwable { Enclosure enclosure0 = new Enclosure(); enclosure0.setLength(""); String string0 = enclosure0.getLength(); assertEquals("", string0); } @Test(timeout = 4000) public void test6() throws Throwable { Enclosure enclosure0 = new Enclosure(); String string0 = enclosure0.toString(); assertEquals("{url: 'null', length: 'null', type: 'null'}", string0); } @Test(timeout = 4000) public void test7() throws Throwable { Enclosure enclosure0 = new Enclosure(); String string0 = enclosure0.getLength(); assertNull(string0); } @Test(timeout = 4000) public void test8() throws Throwable { Enclosure enclosure0 = new Enclosure(); enclosure0.setUrl(""); String string0 = enclosure0.getUrl(); assertEquals("", string0); } @Test(timeout = 4000) public void test9() throws Throwable { Enclosure enclosure0 = new Enclosure(); String string0 = enclosure0.getType(); assertNull(string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 05:32: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 Enclosure_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 = "Enclosure"; 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/tmpal65tqxt"); 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(Enclosure_ESTest_scaffolding.class.getClassLoader() , "Enclosure" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Enclosure_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Enclosure" ); } }
89
Token
public class Token { private long id; private String token; private String secret; public Token() {} public Token(String token, String secret) { setToken(token); setSecret(secret); } public String getToken() { return token; } public void setToken(String token) { this.token = token; } public String getSecret() { return secret; } public void setSecret(String secret) { this.secret = secret; } public long getId() { return id; } public void setId(long id) { this.id = id; } @Override public String toString() { return "Token [id=" + id + ", token=" + token + ", secret=" + secret + ", toString()=" + super.toString() + "]"; } }
.version 52 0 .class public super Token .super java/lang/Object .field private id J .field private token Ljava/lang/String; .field private secret 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 9 .end linenumbertable .end code .end method .method public <init> : (Ljava/lang/String;Ljava/lang/String;)V .code stack 2 locals 3 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: aload_1 L6: invokevirtual Method Token setToken (Ljava/lang/String;)V L9: aload_0 L10: aload_2 L11: invokevirtual Method Token setSecret (Ljava/lang/String;)V L14: return L15: .linenumbertable L0 11 L4 12 L9 13 L14 14 .end linenumbertable .end code .end method .method public getToken : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Token token Ljava/lang/String; L4: areturn L5: .linenumbertable L0 17 .end linenumbertable .end code .end method .method public setToken : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Token token Ljava/lang/String; L5: return L6: .linenumbertable L0 21 L5 22 .end linenumbertable .end code .end method .method public getSecret : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Token secret Ljava/lang/String; L4: areturn L5: .linenumbertable L0 25 .end linenumbertable .end code .end method .method public setSecret : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Token secret Ljava/lang/String; L5: return L6: .linenumbertable L0 29 L5 30 .end linenumbertable .end code .end method .method public getId : ()J .code stack 2 locals 1 L0: aload_0 L1: getfield Field Token id J L4: lreturn L5: .linenumbertable L0 33 .end linenumbertable .end code .end method .method public setId : (J)V .code stack 3 locals 3 L0: aload_0 L1: lload_1 L2: putfield Field Token id J L5: return L6: .linenumbertable L0 37 L5 38 .end linenumbertable .end code .end method .method public toString : ()Ljava/lang/String; .code stack 3 locals 1 L0: new java/lang/StringBuilder L3: dup L4: invokespecial Method java/lang/StringBuilder <init> ()V L7: ldc 'Token [id=' L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L12: aload_0 L13: getfield Field Token id J L16: invokevirtual Method java/lang/StringBuilder append (J)Ljava/lang/StringBuilder; L19: ldc ', token=' L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L24: aload_0 L25: getfield Field Token token Ljava/lang/String; L28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L31: ldc ', secret=' L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L36: aload_0 L37: getfield Field Token secret Ljava/lang/String; L40: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L43: ldc ', toString()=' L45: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L48: aload_0 L49: invokespecial Method java/lang/Object toString ()Ljava/lang/String; L52: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L55: ldc ']' L57: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L60: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L63: areturn L64: .linenumbertable L0 42 L49 43 L63 42 .end linenumbertable .end code .end method .sourcefile 'Token.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 05:25:28 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 Token_ESTest extends Token_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { Token token0 = new Token((String) null, (String) null); String string0 = token0.getToken(); assertNull(string0); } @Test(timeout = 4000) public void test01() throws Throwable { Token token0 = new Token(", toString()=", ", toString()="); String string0 = token0.getToken(); assertEquals(", toString()=", string0); } @Test(timeout = 4000) public void test02() throws Throwable { Token token0 = new Token((String) null, (String) null); String string0 = token0.getSecret(); assertNull(string0); } @Test(timeout = 4000) public void test03() throws Throwable { Token token0 = new Token("4[,z;c0OEe00sX", "4[,z;c0OEe00sX"); String string0 = token0.getSecret(); assertEquals("4[,z;c0OEe00sX", string0); } @Test(timeout = 4000) public void test04() throws Throwable { Token token0 = new Token("", ""); token0.setId(51703L); long long0 = token0.getId(); assertEquals(51703L, long0); } @Test(timeout = 4000) public void test05() throws Throwable { Token token0 = new Token((String) null, ""); token0.setToken(""); assertEquals(0L, token0.getId()); } @Test(timeout = 4000) public void test06() throws Throwable { Token token0 = new Token("", ""); token0.setSecret(""); assertEquals("", token0.getSecret()); } @Test(timeout = 4000) public void test07() throws Throwable { Token token0 = new Token((String) null, ""); String string0 = token0.toString(); assertNotNull(string0); } @Test(timeout = 4000) public void test08() throws Throwable { Token token0 = new Token("", ""); String string0 = token0.getSecret(); assertEquals("", string0); } @Test(timeout = 4000) public void test09() throws Throwable { Token token0 = new Token(); token0.setId((-98281L)); long long0 = token0.getId(); assertEquals((-98281L), long0); } @Test(timeout = 4000) public void test10() throws Throwable { Token token0 = new Token("", ""); long long0 = token0.getId(); assertEquals(0L, long0); } @Test(timeout = 4000) public void test11() throws Throwable { Token token0 = new Token("", ""); String string0 = token0.getToken(); assertEquals("", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 05:25:28 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 Token_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 = "Token"; 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/tmpfpvazh6g"); 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(Token_ESTest_scaffolding.class.getClassLoader() , "Token" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Token_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Token" ); } }
90
SocialUserProfileProperties
// Copyright 2012 Google Inc. // // 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. /** * Distinguished Properties for user profiles * * @author tapasnay * @since 3.0 */ public class SocialUserProfileProperties { // for name of properties // I actually wanted to use '.' or ':' separated namespaces, but // unfortunately meta queries dont seem to work with names with . in it. // TBD: fix this. /** Optional, multi-valued property that provides the subjects the user can be asked about. */ public static final String PROPNAME_ASKMEABOUT = "google_social_user_askmeabout"; /** * Optional, multi-valued property that provides the topics in which the user has specific skills. */ public static final String PROPNAME_SKILLS = "google_social_user_skills"; /** * Optional, multi-valued property that provides the names of projects user has been involved in * the past. */ public static final String PROPNAME_PASTPROJECTS = "google_social_user_pastprojects"; /** * Optional, single valued property that provides the accountname of the user. It is typically a * unique value per user. */ public static final String PROPNAME_ACCOUNTNAME = "google_social_user_accountname"; /** Optional, single valued property that provides a name user prefers to be called by */ public static final String PROPNAME_PREFERREDNAME = "google_social_user_preferredname"; /** Optional, single valued property that provides a name user prefers to be called by */ public static final String PROPNAME_USERCONTENT = "google_social_user_content"; /** Optional, single valued property that provides URL to a profile picture of user */ public static final String PROPNAME_PICTUREURL = "google_social_user_pictureurl"; /** Optional, single valued property that provides URL to a profile picture of user */ public static final String PROPNAME_ORGURL = "google_social_user_orgurl"; /** * Optional, property that describes contact information for user's colleagues in xml. Schema of * this xml is as follows * * <pre> * {@code <?xml version="1.0" encoding="UTF-8"?> * <schema xmlns="http://www.w3.org/2001/XMLSchema" * targetNamespace="http://www.google.com/schemas/gsa" * xmlns:gsa="http://www.google.com/schemas/gsa" * elementFormDefault="qualified"> * <element name="Contacts"> * <complexType> * <sequence> * <element name="contact" maxOccurs="unbounded" minOccurs="1"> * <complexType> * <attribute name="name" type="string" form="qualified" * use="optional" /> * <attribute name="email" type="string" form="qualified" /> * <attribute name="accountname" type="string" * form="qualified" use="required" /> * <attribute name="url" type="string" form="qualified" * use="optional" /> * <attribute name="title" type="string" form="qualified" * use="optional" /> * <attribute name="group" type="string" form="qualified" * use="optional" /> * <attribute name="isinworkinggroup" type="boolean" * form="qualified" use="optional" /> * </complexType> * </element> * </sequence> * </complexType> * </element> * </schema> } * </pre> */ public static final String PROPNAME_COLLEAGUES = "google_social_user_colleagues"; /** * Optional, single-valued property that provides the url to point to for opening the profile of * user */ public static final String PROPNAME_USERPROFILEURL = "google_social_userprofile_url"; }
.version 52 0 .class public super SocialUserProfileProperties .super java/lang/Object .field public static final PROPNAME_ASKMEABOUT Ljava/lang/String; = 'google_social_user_askmeabout' .field public static final PROPNAME_SKILLS Ljava/lang/String; = 'google_social_user_skills' .field public static final PROPNAME_PASTPROJECTS Ljava/lang/String; = 'google_social_user_pastprojects' .field public static final PROPNAME_ACCOUNTNAME Ljava/lang/String; = 'google_social_user_accountname' .field public static final PROPNAME_PREFERREDNAME Ljava/lang/String; = 'google_social_user_preferredname' .field public static final PROPNAME_USERCONTENT Ljava/lang/String; = 'google_social_user_content' .field public static final PROPNAME_PICTUREURL Ljava/lang/String; = 'google_social_user_pictureurl' .field public static final PROPNAME_ORGURL Ljava/lang/String; = 'google_social_user_orgurl' .field public static final PROPNAME_COLLEAGUES Ljava/lang/String; = 'google_social_user_colleagues' .field public static final PROPNAME_USERPROFILEURL Ljava/lang/String; = 'google_social_userprofile_url' .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 23 .end linenumbertable .end code .end method .sourcefile 'SocialUserProfileProperties.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 02:49:10 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 SocialUserProfileProperties_ESTest extends SocialUserProfileProperties_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { SocialUserProfileProperties socialUserProfileProperties0 = new SocialUserProfileProperties(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 02:49: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 SocialUserProfileProperties_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 = "SocialUserProfileProperties"; 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/tmp5yuaip7n"); 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(SocialUserProfileProperties_ESTest_scaffolding.class.getClassLoader() , "SocialUserProfileProperties" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SocialUserProfileProperties_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "SocialUserProfileProperties" ); } }
91
PricesFile
public class PricesFile {}
.version 52 0 .class public super PricesFile .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 'PricesFile.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 21:17: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 PricesFile_ESTest extends PricesFile_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { PricesFile pricesFile0 = new PricesFile(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 21:17: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 PricesFile_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 = "PricesFile"; 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/tmpyhgqtsze"); 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(PricesFile_ESTest_scaffolding.class.getClassLoader() , "PricesFile" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PricesFile_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "PricesFile" ); } }
92
FormatUtil
/** * ******************************************************************************* ********* Author * : klob([email protected]) . ********* Date : 2014-11-29 . ********* Time : 11:46 . ********* * Project name : Diandi1.18 . ********* Version : 1.0 ********* Copyright @ 2014, klob, All Rights * Reserved ******************************************************************************* */ public class FormatUtil { FormatUtil() {} public static String formatString(String str) { String res = String.format("%2s", str); res = res.replaceAll("\\s", "0"); return res; } public static String formatString(String weishu, String str) { String res = String.format("%" + weishu + "s", str); res = res.replaceAll("\\s", "0"); return res; } public static String pad(int c) { if (c >= 10) return String.valueOf(c); else return "0" + String.valueOf(c); } public static String padHour(int c) { if (c == 12) return String.valueOf(c); if (c == 00) return String.valueOf(c + 12); if (c > 12) return String.valueOf(c - 12); else return String.valueOf(c); } public static String padAP(int c) { if (c == 12) return " PM"; if (c == 00) return " AM"; if (c > 12) return " PM"; else return " AM"; } public static String week2String(int week) { switch (week) { case 1: return "日"; case 2: return "一"; case 3: return "二"; case 4: return "三"; case 5: return "四"; case 6: return "五"; case 7: return "六"; default: return ""; } } }
.version 52 0 .class public super FormatUtil .super java/lang/Object .method <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 14 L4 15 .end linenumbertable .end code .end method .method public static formatString : (Ljava/lang/String;)Ljava/lang/String; .code stack 5 locals 2 L0: ldc '%2s' L2: iconst_1 L3: anewarray java/lang/Object L6: dup L7: iconst_0 L8: aload_0 L9: aastore L10: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String; L13: astore_1 L14: aload_1 L15: ldc '\\s' L17: ldc '0' L19: invokevirtual Method java/lang/String replaceAll (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; L22: astore_1 L23: aload_1 L24: areturn L25: .linenumbertable L0 18 L14 19 L23 20 .end linenumbertable .end code .end method .method public static formatString : (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; .code stack 5 locals 3 L0: new java/lang/StringBuilder L3: dup L4: invokespecial Method java/lang/StringBuilder <init> ()V L7: ldc '%' L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L12: aload_0 L13: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L16: ldc 's' L18: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L21: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L24: iconst_1 L25: anewarray java/lang/Object L28: dup L29: iconst_0 L30: aload_1 L31: aastore L32: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String; L35: astore_2 L36: aload_2 L37: ldc '\\s' L39: ldc '0' L41: invokevirtual Method java/lang/String replaceAll (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; L44: astore_2 L45: aload_2 L46: areturn L47: .linenumbertable L0 24 L36 25 L45 26 .end linenumbertable .end code .end method .method public static pad : (I)Ljava/lang/String; .code stack 2 locals 1 L0: iload_0 L1: bipush 10 L3: if_icmplt L11 L6: iload_0 L7: invokestatic Method java/lang/String valueOf (I)Ljava/lang/String; L10: areturn .stack same L11: new java/lang/StringBuilder L14: dup L15: invokespecial Method java/lang/StringBuilder <init> ()V L18: ldc '0' L20: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L23: iload_0 L24: invokestatic Method java/lang/String valueOf (I)Ljava/lang/String; L27: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L30: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L33: areturn L34: .linenumbertable L0 30 L6 31 L11 33 .end linenumbertable .end code .end method .method public static padHour : (I)Ljava/lang/String; .code stack 2 locals 1 L0: iload_0 L1: bipush 12 L3: if_icmpne L11 L6: iload_0 L7: invokestatic Method java/lang/String valueOf (I)Ljava/lang/String; L10: areturn .stack same L11: iload_0 L12: ifne L23 L15: iload_0 L16: bipush 12 L18: iadd L19: invokestatic Method java/lang/String valueOf (I)Ljava/lang/String; L22: areturn .stack same L23: iload_0 L24: bipush 12 L26: if_icmple L37 L29: iload_0 L30: bipush 12 L32: isub L33: invokestatic Method java/lang/String valueOf (I)Ljava/lang/String; L36: areturn .stack same L37: iload_0 L38: invokestatic Method java/lang/String valueOf (I)Ljava/lang/String; L41: areturn L42: .linenumbertable L0 37 L6 38 L11 39 L15 40 L23 41 L29 42 L37 44 .end linenumbertable .end code .end method .method public static padAP : (I)Ljava/lang/String; .code stack 2 locals 1 L0: iload_0 L1: bipush 12 L3: if_icmpne L9 L6: ldc ' PM' L8: areturn .stack same L9: iload_0 L10: ifne L16 L13: ldc ' AM' L15: areturn .stack same L16: iload_0 L17: bipush 12 L19: if_icmple L25 L22: ldc ' PM' L24: areturn .stack same L25: ldc ' AM' L27: areturn L28: .linenumbertable L0 48 L6 49 L9 50 L13 51 L16 52 L22 53 L25 55 .end linenumbertable .end code .end method .method public static week2String : (I)Ljava/lang/String; .code stack 1 locals 1 L0: iload_0 L1: tableswitch 1 L44 L47 L50 L53 L56 L59 L62 default : L65 .stack same L44: ldc '日' L46: areturn .stack same L47: ldc '一' L49: areturn .stack same L50: ldc '二' L52: areturn .stack same L53: ldc '三' L55: areturn .stack same L56: ldc '四' L58: areturn .stack same L59: ldc '五' L61: areturn .stack same L62: ldc '六' L64: areturn .stack same L65: ldc '' L67: areturn L68: .linenumbertable L0 59 L44 61 L47 63 L50 65 L53 67 L56 69 L59 71 L62 73 L65 76 .end linenumbertable .end code .end method .sourcefile 'FormatUtil.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 08:43:05 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 FormatUtil_ESTest extends FormatUtil_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { String string0 = FormatUtil.padHour((-36252)); assertEquals("-36252", string0); } @Test(timeout = 4000) public void test01() throws Throwable { String string0 = FormatUtil.pad(10); assertEquals("10", string0); } @Test(timeout = 4000) public void test02() throws Throwable { String string0 = FormatUtil.formatString(""); String string1 = FormatUtil.formatString("1", "Y*<9+?&8OZt3J6t+#"); assertEquals("Y*<9+?&8OZt3J6t+#", string1); String string2 = FormatUtil.padAP((-1)); assertEquals(" AM", string2); String string3 = FormatUtil.formatString(""); assertEquals("00", string3); String string4 = FormatUtil.pad((-54229)); assertEquals("0-54229", string4); String string5 = FormatUtil.padHour(27871); assertEquals("27859", string5); String string6 = FormatUtil.week2String(27871); assertFalse(string6.equals((Object)string0)); } @Test(timeout = 4000) public void test03() throws Throwable { FormatUtil.formatString(""); String string0 = FormatUtil.padHour(1); assertEquals("1", string0); String string1 = FormatUtil.week2String(1); assertEquals("\u65E5", string1); FormatUtil formatUtil0 = new FormatUtil(); String string2 = FormatUtil.formatString("1", "Y*<9+?&8OZt3J6t+#"); assertEquals("Y*<9+?&8OZt3J6t+#", string2); String string3 = FormatUtil.padAP((-1)); assertEquals(" AM", string3); String string4 = FormatUtil.formatString(""); assertEquals("00", string4); String string5 = FormatUtil.pad((-54229)); assertEquals("0-54229", string5); } @Test(timeout = 4000) public void test04() throws Throwable { String string0 = FormatUtil.formatString("", ""); assertEquals("", string0); } @Test(timeout = 4000) public void test05() throws Throwable { String string0 = FormatUtil.padAP(0); assertEquals(" AM", string0); } @Test(timeout = 4000) public void test06() throws Throwable { String string0 = FormatUtil.padAP(12); assertEquals(" PM", string0); } @Test(timeout = 4000) public void test07() throws Throwable { String string0 = FormatUtil.padAP(578); assertEquals(" PM", string0); } @Test(timeout = 4000) public void test08() throws Throwable { String string0 = FormatUtil.padHour(12); assertEquals("12", string0); } @Test(timeout = 4000) public void test09() throws Throwable { String string0 = FormatUtil.padHour(0); assertEquals("12", string0); } @Test(timeout = 4000) public void test10() throws Throwable { String string0 = FormatUtil.pad(578); assertEquals("578", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 08:43: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 FormatUtil_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 = "FormatUtil"; 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/tmprx74lbud"); 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(FormatUtil_ESTest_scaffolding.class.getClassLoader() , "FormatUtil" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(FormatUtil_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "FormatUtil" ); } }
93
TypeSurrogateConstants
/* * @(#)TypeSurrogateConstants.java 1.0 * * Created on September 18, 2008, 12:59 PM * * Copyright 2008 NeXtreme Innovations, Inc. All rights reserved. * "NeXtreme Innovations" PROPRIETARY/CONFIDENTIAL. Use is subject * to license terms. */ /** * Provides constant definitions for various classes * * @version 1.0, September 18, 2008 */ public final class TypeSurrogateConstants { /** Absolute minimum id that can be assigned to a user defined type. */ public static final short FirstTypeHandle = Short.MIN_VALUE; /** Minimum id that can be assigned to a user defined type. */ public static final short MinTypeHandle = Short.MIN_VALUE + 4096; /** Maximum id that can be assigned to a user defined type. */ public static final short MaxTypeHandle = Short.MAX_VALUE; }
.version 52 0 .class public final super TypeSurrogateConstants .super java/lang/Object .field public static final FirstTypeHandle S = -32768 .field public static final MinTypeHandle S = -28672 .field public static final MaxTypeHandle S = 32767 .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 18 .end linenumbertable .end code .end method .sourcefile 'TypeSurrogateConstants.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 22:02:22 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 TypeSurrogateConstants_ESTest extends TypeSurrogateConstants_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { TypeSurrogateConstants typeSurrogateConstants0 = new TypeSurrogateConstants(); assertEquals((short) (-32768), TypeSurrogateConstants.FirstTypeHandle); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 22:02:22 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 TypeSurrogateConstants_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 = "TypeSurrogateConstants"; 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/tmp6bjafgmu"); 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(TypeSurrogateConstants_ESTest_scaffolding.class.getClassLoader() , "TypeSurrogateConstants" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TypeSurrogateConstants_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "TypeSurrogateConstants" ); } }
94
DataInputPlus
import java.io.BufferedReader; import java.io.IOException; import java.io.InputStreamReader; /** Based on class: ua.com.glybovets.arrays.DataInput */ public final class DataInputPlus { public static Long getLong(String prompt) { String s = getString(prompt); while (!isInt(s)) { System.out.println("Input isn't long!"); s = getString(prompt); } return Long.valueOf(s); } public static char getChar(String prompt) { String s = getString(prompt); return s != null ? s.charAt(0) : 0; } public static Integer getInt(String prompt) { String s = getString(prompt); while (!isInt(s)) { System.out.println("Input isn't integer!"); s = getString(prompt); } return Integer.valueOf(s); } public static String getString(String prompt) { System.out.print(prompt); InputStreamReader isr = new InputStreamReader(System.in); BufferedReader br = new BufferedReader(isr); String s = null; try { s = br.readLine(); } catch (IOException e) { e.printStackTrace(); } return s; } public static double getDouble(String prompt) { String s = getString(prompt); while (!isDouble(s)) { System.out.println("Input isn't double!"); s = getString(prompt); } return Double.valueOf(s); } public static boolean isDouble(String str) { return str.matches("-?\\d+(\\.\\d+)?"); } public static boolean isInt(String str) { return str.matches("-?\\d+"); } }
.version 52 0 .class public final super DataInputPlus .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 11 .end linenumbertable .end code .end method .method public static getLong : (Ljava/lang/String;)Ljava/lang/Long; .code stack 2 locals 2 L0: aload_0 L1: invokestatic Method DataInputPlus getString (Ljava/lang/String;)Ljava/lang/String; L4: astore_1 .stack append Object java/lang/String L5: aload_1 L6: invokestatic Method DataInputPlus isInt (Ljava/lang/String;)Z L9: ifne L28 L12: getstatic Field java/lang/System out Ljava/io/PrintStream; L15: ldc "Input isn't long!" L17: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L20: aload_0 L21: invokestatic Method DataInputPlus getString (Ljava/lang/String;)Ljava/lang/String; L24: astore_1 L25: goto L5 .stack same L28: aload_1 L29: invokestatic Method java/lang/Long valueOf (Ljava/lang/String;)Ljava/lang/Long; L32: areturn L33: .linenumbertable L0 13 L5 14 L12 15 L20 16 L28 18 .end linenumbertable .end code .end method .method public static getChar : (Ljava/lang/String;)C .code stack 2 locals 2 L0: aload_0 L1: invokestatic Method DataInputPlus getString (Ljava/lang/String;)Ljava/lang/String; L4: astore_1 L5: aload_1 L6: ifnull L17 L9: aload_1 L10: iconst_0 L11: invokevirtual Method java/lang/String charAt (I)C L14: goto L18 .stack append Object java/lang/String L17: iconst_0 .stack stack_1 Integer L18: ireturn L19: .linenumbertable L0 22 L5 23 .end linenumbertable .end code .end method .method public static getInt : (Ljava/lang/String;)Ljava/lang/Integer; .code stack 2 locals 2 L0: aload_0 L1: invokestatic Method DataInputPlus getString (Ljava/lang/String;)Ljava/lang/String; L4: astore_1 .stack append Object java/lang/String L5: aload_1 L6: invokestatic Method DataInputPlus isInt (Ljava/lang/String;)Z L9: ifne L28 L12: getstatic Field java/lang/System out Ljava/io/PrintStream; L15: ldc "Input isn't integer!" L17: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L20: aload_0 L21: invokestatic Method DataInputPlus getString (Ljava/lang/String;)Ljava/lang/String; L24: astore_1 L25: goto L5 .stack same L28: aload_1 L29: invokestatic Method java/lang/Integer valueOf (Ljava/lang/String;)Ljava/lang/Integer; L32: areturn L33: .linenumbertable L0 27 L5 28 L12 29 L20 30 L28 32 .end linenumbertable .end code .end method .method public static getString : (Ljava/lang/String;)Ljava/lang/String; .code stack 3 locals 5 L0: getstatic Field java/lang/System out Ljava/io/PrintStream; L3: aload_0 L4: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V L7: new java/io/InputStreamReader L10: dup L11: getstatic Field java/lang/System in Ljava/io/InputStream; L14: invokespecial Method java/io/InputStreamReader <init> (Ljava/io/InputStream;)V L17: astore_1 L18: new java/io/BufferedReader L21: dup L22: aload_1 L23: invokespecial Method java/io/BufferedReader <init> (Ljava/io/Reader;)V L26: astore_2 L27: aconst_null L28: astore_3 .catch java/io/IOException from L29 to L34 using L37 L29: aload_2 L30: invokevirtual Method java/io/BufferedReader readLine ()Ljava/lang/String; L33: astore_3 L34: goto L44 .stack full locals Object java/lang/String Object java/io/InputStreamReader Object java/io/BufferedReader Object java/lang/String stack Object java/io/IOException .end stack L37: astore 4 L39: aload 4 L41: invokevirtual Method java/io/IOException printStackTrace ()V .stack same L44: aload_3 L45: areturn L46: .linenumbertable L0 37 L7 38 L18 39 L27 40 L29 42 L34 45 L37 43 L39 44 L44 46 .end linenumbertable .end code .end method .method public static getDouble : (Ljava/lang/String;)D .code stack 2 locals 2 L0: aload_0 L1: invokestatic Method DataInputPlus getString (Ljava/lang/String;)Ljava/lang/String; L4: astore_1 .stack append Object java/lang/String L5: aload_1 L6: invokestatic Method DataInputPlus isDouble (Ljava/lang/String;)Z L9: ifne L28 L12: getstatic Field java/lang/System out Ljava/io/PrintStream; L15: ldc "Input isn't double!" L17: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L20: aload_0 L21: invokestatic Method DataInputPlus getString (Ljava/lang/String;)Ljava/lang/String; L24: astore_1 L25: goto L5 .stack same L28: aload_1 L29: invokestatic Method java/lang/Double valueOf (Ljava/lang/String;)Ljava/lang/Double; L32: invokevirtual Method java/lang/Double doubleValue ()D L35: dreturn L36: .linenumbertable L0 50 L5 51 L12 52 L20 53 L28 55 .end linenumbertable .end code .end method .method public static isDouble : (Ljava/lang/String;)Z .code stack 2 locals 1 L0: aload_0 L1: ldc '-?\\d+(\\.\\d+)?' L3: invokevirtual Method java/lang/String matches (Ljava/lang/String;)Z L6: ireturn L7: .linenumbertable L0 59 .end linenumbertable .end code .end method .method public static isInt : (Ljava/lang/String;)Z .code stack 2 locals 1 L0: aload_0 L1: ldc '-?\\d+' L3: invokevirtual Method java/lang/String matches (Ljava/lang/String;)Z L6: ireturn L7: .linenumbertable L0 63 .end linenumbertable .end code .end method .sourcefile 'DataInputPlus.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 11:02:37 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.evosuite.runtime.util.SystemInUtil; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class DataInputPlus_ESTest extends DataInputPlus_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { SystemInUtil.addInputLine(""); // Undeclared exception! try { DataInputPlus.getInt(""); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // } } @Test(timeout = 4000) public void test01() throws Throwable { SystemInUtil.addInputLine("0"); DataInputPlus.getInt("0"); SystemInUtil.addInputLine("0"); double double0 = DataInputPlus.getDouble("n #Bs!qw"); assertEquals(0.0, double0, 1.0E-4); } @Test(timeout = 4000) public void test02() throws Throwable { SystemInUtil.addInputLine(""); // Undeclared exception! try { DataInputPlus.getLong("-?d+"); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // } } @Test(timeout = 4000) public void test03() throws Throwable { boolean boolean0 = DataInputPlus.isInt(""); assertFalse(boolean0); } @Test(timeout = 4000) public void test04() throws Throwable { boolean boolean0 = DataInputPlus.isDouble("6"); assertTrue(boolean0); } @Test(timeout = 4000) public void test05() throws Throwable { SystemInUtil.addInputLine("h-rx+Y{"); String string0 = DataInputPlus.getString("h-rx+Y{"); assertEquals("h-rx+Y{", string0); } @Test(timeout = 4000) public void test06() throws Throwable { SystemInUtil.addInputLine(""); String string0 = DataInputPlus.getString("DataInputPlus"); assertEquals("", string0); } @Test(timeout = 4000) public void test07() throws Throwable { SystemInUtil.addInputLine("0"); char char0 = DataInputPlus.getChar("^[YXzn@n@"); assertEquals('0', char0); } @Test(timeout = 4000) public void test08() throws Throwable { SystemInUtil.addInputLine("r&-{>(8PJ"); char char0 = DataInputPlus.getChar("r&-{>(8PJ"); assertEquals('r', char0); } @Test(timeout = 4000) public void test09() throws Throwable { boolean boolean0 = DataInputPlus.isDouble(""); assertFalse(boolean0); } @Test(timeout = 4000) public void test10() throws Throwable { String string0 = DataInputPlus.getString(""); assertNull(string0); } @Test(timeout = 4000) public void test11() throws Throwable { boolean boolean0 = DataInputPlus.isInt("0"); assertTrue(boolean0); } @Test(timeout = 4000) public void test12() throws Throwable { SystemInUtil.addInputLine("SXHS$m#>7m,"); // Undeclared exception! try { DataInputPlus.getDouble("J+xwA{YY"); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // } } @Test(timeout = 4000) public void test13() throws Throwable { SystemInUtil.addInputLine(";T9%O)6O"); char char0 = DataInputPlus.getChar(""); assertEquals(';', char0); } @Test(timeout = 4000) public void test14() throws Throwable { char char0 = DataInputPlus.getChar(""); assertEquals('\u0000', char0); } @Test(timeout = 4000) public void test15() throws Throwable { SystemInUtil.addInputLine("0"); Long long0 = DataInputPlus.getLong("-?d+"); assertEquals(0L, (long)long0); } @Test(timeout = 4000) public void test16() throws Throwable { DataInputPlus dataInputPlus0 = new DataInputPlus(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 11:02: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 DataInputPlus_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 = "DataInputPlus"; 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(); org.evosuite.runtime.util.SystemInUtil.getInstance().initForTestCase(); } @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/tmplao7i3ly"); 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(DataInputPlus_ESTest_scaffolding.class.getClassLoader() , "DataInputPlus" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DataInputPlus_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "DataInputPlus" ); } }
95
Pack
/* * 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. * * Please send inquiries to huber AT ut DOT ee */ import java.io.Serializable; /** * @author Huber Flores */ public class Pack implements Serializable { private static final long serialVersionUID = 1; String RTT = null; public Pack(String rtt) { this.RTT = rtt; } public String getRTT() { return this.RTT; } }
.version 52 0 .class public super Pack .super java/lang/Object .implements java/io/Serializable .field private static final serialVersionUID J = 1L .field RTT Ljava/lang/String; .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: aconst_null L6: putfield Field Pack RTT Ljava/lang/String; L9: aload_0 L10: aload_1 L11: putfield Field Pack RTT Ljava/lang/String; L14: return L15: .linenumbertable L0 27 L4 24 L9 28 L14 30 .end linenumbertable .end code .end method .method public getRTT : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Pack RTT Ljava/lang/String; L4: areturn L5: .linenumbertable L0 33 .end linenumbertable .end code .end method .sourcefile 'Pack.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 19:29:52 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 Pack_ESTest extends Pack_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Pack pack0 = new Pack("g,$*b2Ex~Lyl74{vb>"); pack0.RTT = "g,$*b2Ex~Lyl74{vb>"; pack0.RTT = "g,$*b2Ex~Lyl74{vb>"; pack0.RTT = "g,$*b2Ex~Lyl74{vb>"; pack0.RTT = null; String string0 = pack0.getRTT(); assertNull(string0); } @Test(timeout = 4000) public void test1() throws Throwable { Pack pack0 = new Pack("g,$*b2Ex~Lyl74{vb>"); pack0.RTT = "g,$*b2Ex~Lyl74{vb>"; pack0.RTT = "g,$*b2Ex~Lyl74{vb>"; pack0.RTT = "g,$*b2Ex~Lyl74{vb>"; pack0.RTT = null; pack0.RTT = ""; String string0 = pack0.getRTT(); assertEquals("", string0); } @Test(timeout = 4000) public void test2() throws Throwable { Pack pack0 = new Pack("1){>[Pmyy"); String string0 = pack0.getRTT(); assertEquals("1){>[Pmyy", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 19:29:52 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 Pack_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 = "Pack"; 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/tmpkg09ls76"); 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(Pack_ESTest_scaffolding.class.getClassLoader() , "Pack" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Pack_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Pack" ); } }
96
EXTVorbis
/* * Copyright LWJGL. All rights reserved. * License terms: https://www.lwjgl.org/license * MACHINE GENERATED FILE, DO NOT EDIT */ /** Native bindings to the {@code AL_EXT_vorbis} extension. */ public final class EXTVorbis { /** {@code AL_EXT_vorbis} tokens. */ public static final int AL_FORMAT_VORBIS_EXT = 0x10003; private EXTVorbis() {} }
.version 52 0 .class public final super EXTVorbis .super java/lang/Object .field public static final AL_FORMAT_VORBIS_EXT I = 65539 .method private <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 14 .end linenumbertable .end code .end method .sourcefile 'EXTVorbis.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 18:01:35 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 EXTVorbis_ESTest extends EXTVorbis_ESTest_scaffolding { @Test public void notGeneratedAnyTest() { // EvoSuite did not generate any tests } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 18:01:35 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class EXTVorbis_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); 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 = "EXTVorbis"; 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(); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); 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() { /*No java.lang.System property to set*/ } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(EXTVorbis_ESTest_scaffolding.class.getClassLoader() , "EXTVorbis" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(EXTVorbis_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "EXTVorbis" ); } }
97
LocalDateTime1
import java.time.DayOfWeek; import java.time.Instant; import java.time.LocalDateTime; import java.time.Month; import java.time.ZoneId; import java.time.format.DateTimeFormatter; import java.time.temporal.ChronoField; import java.util.Date; /** * @author Benjamin Winterberg */ public class LocalDateTime1 { public static void main(String[] args) { LocalDateTime sylvester = LocalDateTime.of(2014, Month.DECEMBER, 31, 23, 59, 59); DayOfWeek dayOfWeek = sylvester.getDayOfWeek(); System.out.println(dayOfWeek); // WEDNESDAY Month month = sylvester.getMonth(); System.out.println(month); // DECEMBER long minuteOfDay = sylvester.getLong(ChronoField.MINUTE_OF_DAY); System.out.println(minuteOfDay); // 1439 Instant instant = sylvester.atZone(ZoneId.systemDefault()).toInstant(); Date legacyDate = Date.from(instant); System.out.println(legacyDate); // Wed Dec 31 23:59:59 CET 2014 DateTimeFormatter formatter = DateTimeFormatter.ofPattern("MMM dd, yyyy - HH:mm"); LocalDateTime parsed = LocalDateTime.parse("Nov 03, 2014 - 07:13", formatter); String string = parsed.format(formatter); System.out.println(string); // Nov 03, 2014 - 07:13 } }
.version 52 0 .class public super LocalDateTime1 .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 15 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 6 locals 11 L0: sipush 2014 L3: getstatic Field java/time/Month DECEMBER Ljava/time/Month; L6: bipush 31 L8: bipush 23 L10: bipush 59 L12: bipush 59 L14: invokestatic Method java/time/LocalDateTime of (ILjava/time/Month;IIII)Ljava/time/LocalDateTime; L17: astore_1 L18: aload_1 L19: invokevirtual Method java/time/LocalDateTime getDayOfWeek ()Ljava/time/DayOfWeek; L22: astore_2 L23: getstatic Field java/lang/System out Ljava/io/PrintStream; L26: aload_2 L27: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V L30: aload_1 L31: invokevirtual Method java/time/LocalDateTime getMonth ()Ljava/time/Month; L34: astore_3 L35: getstatic Field java/lang/System out Ljava/io/PrintStream; L38: aload_3 L39: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V L42: aload_1 L43: getstatic Field java/time/temporal/ChronoField MINUTE_OF_DAY Ljava/time/temporal/ChronoField; L46: invokevirtual Method java/time/LocalDateTime getLong (Ljava/time/temporal/TemporalField;)J L49: lstore 4 L51: getstatic Field java/lang/System out Ljava/io/PrintStream; L54: lload 4 L56: invokevirtual Method java/io/PrintStream println (J)V L59: aload_1 L60: invokestatic Method java/time/ZoneId systemDefault ()Ljava/time/ZoneId; L63: invokevirtual Method java/time/LocalDateTime atZone (Ljava/time/ZoneId;)Ljava/time/ZonedDateTime; L66: invokevirtual Method java/time/ZonedDateTime toInstant ()Ljava/time/Instant; L69: astore 6 L71: aload 6 L73: invokestatic Method java/util/Date from (Ljava/time/Instant;)Ljava/util/Date; L76: astore 7 L78: getstatic Field java/lang/System out Ljava/io/PrintStream; L81: aload 7 L83: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V L86: ldc 'MMM dd, yyyy - HH:mm' L88: invokestatic Method java/time/format/DateTimeFormatter ofPattern (Ljava/lang/String;)Ljava/time/format/DateTimeFormatter; L91: astore 8 L93: ldc 'Nov 03, 2014 - 07:13' L95: aload 8 L97: invokestatic Method java/time/LocalDateTime parse (Ljava/lang/CharSequence;Ljava/time/format/DateTimeFormatter;)Ljava/time/LocalDateTime; L100: astore 9 L102: aload 9 L104: aload 8 L106: invokevirtual Method java/time/LocalDateTime format (Ljava/time/format/DateTimeFormatter;)Ljava/lang/String; L109: astore 10 L111: getstatic Field java/lang/System out Ljava/io/PrintStream; L114: aload 10 L116: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L119: return L120: .linenumbertable L0 19 L18 21 L23 22 L30 24 L35 25 L42 27 L51 28 L59 30 L60 31 L66 32 L71 34 L78 35 L86 38 L88 40 L93 42 L102 43 L111 44 L119 45 .end linenumbertable .end code .end method .sourcefile 'LocalDateTime1.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 13:43:55 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 LocalDateTime1_ESTest extends LocalDateTime1_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { LocalDateTime1 localDateTime1_0 = new LocalDateTime1(); } @Test(timeout = 4000) public void test1() throws Throwable { String[] stringArray0 = new String[1]; LocalDateTime1.main(stringArray0); LocalDateTime1.main(stringArray0); assertEquals(1, stringArray0.length); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 13:43:55 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 LocalDateTime1_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 = "LocalDateTime1"; 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/tmp33sfigac"); 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(LocalDateTime1_ESTest_scaffolding.class.getClassLoader() , "LocalDateTime1" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(LocalDateTime1_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "LocalDateTime1" ); } }
98
Logic
import java.util.Collection; import java.util.HashSet; import java.util.Set; public class Logic { // @SafeVarargs public static <T> Collection<T> retain(Collection<T> first, Collection<T>... sets) { Set<T> result = new HashSet<T>(first); for (Collection<T> set : sets) { result.retainAll(set); } return result; } // @SafeVarargs public static <T> Collection<T> remove(Collection<T> first, Collection<T>... sets) { Set<T> result = new HashSet<T>(first); for (Collection<T> set : sets) { result.removeAll(set); } return result; } public static <T> boolean hasOverlap(Collection<T> source, Collection<T>... toBeChecked) { for (T t : source) { for (Collection<T> l : toBeChecked) { for (T r : l) { if (t.equals(r)) return true; } } } return false; } }
.version 52 0 .class public super Logic .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 7 .end linenumbertable .end code .end method .method public static varargs retain : (Ljava/util/Collection;[Ljava/util/Collection;)Ljava/util/Collection; .code stack 3 locals 7 L0: new java/util/HashSet L3: dup L4: aload_0 L5: invokespecial Method java/util/HashSet <init> (Ljava/util/Collection;)V L8: astore_2 L9: aload_1 L10: astore_3 L11: aload_3 L12: arraylength L13: istore 4 L15: iconst_0 L16: istore 5 .stack full locals Object java/util/Collection Object [Ljava/util/Collection; Object java/util/Set Object [Ljava/util/Collection; Integer Integer stack .end stack L18: iload 5 L20: iload 4 L22: if_icmpge L46 L25: aload_3 L26: iload 5 L28: aaload L29: astore 6 L31: aload_2 L32: aload 6 L34: invokeinterface InterfaceMethod java/util/Set retainAll (Ljava/util/Collection;)Z 2 L39: pop L40: iinc 5 1 L43: goto L18 .stack chop 3 L46: aload_2 L47: areturn L48: .linenumbertable L0 11 L9 12 L31 13 L40 12 L46 15 .end linenumbertable .end code .signature '<T:Ljava/lang/Object;>(Ljava/util/Collection<TT;>;[Ljava/util/Collection<TT;>;)Ljava/util/Collection<TT;>;' .end method .method public static varargs remove : (Ljava/util/Collection;[Ljava/util/Collection;)Ljava/util/Collection; .code stack 3 locals 7 L0: new java/util/HashSet L3: dup L4: aload_0 L5: invokespecial Method java/util/HashSet <init> (Ljava/util/Collection;)V L8: astore_2 L9: aload_1 L10: astore_3 L11: aload_3 L12: arraylength L13: istore 4 L15: iconst_0 L16: istore 5 .stack full locals Object java/util/Collection Object [Ljava/util/Collection; Object java/util/Set Object [Ljava/util/Collection; Integer Integer stack .end stack L18: iload 5 L20: iload 4 L22: if_icmpge L46 L25: aload_3 L26: iload 5 L28: aaload L29: astore 6 L31: aload_2 L32: aload 6 L34: invokeinterface InterfaceMethod java/util/Set removeAll (Ljava/util/Collection;)Z 2 L39: pop L40: iinc 5 1 L43: goto L18 .stack chop 3 L46: aload_2 L47: areturn L48: .linenumbertable L0 20 L9 21 L31 22 L40 21 L46 24 .end linenumbertable .end code .signature '<T:Ljava/lang/Object;>(Ljava/util/Collection<TT;>;[Ljava/util/Collection<TT;>;)Ljava/util/Collection<TT;>;' .end method .method public static varargs hasOverlap : (Ljava/util/Collection;[Ljava/util/Collection;)Z .code stack 2 locals 10 L0: aload_0 L1: invokeinterface InterfaceMethod java/util/Collection iterator ()Ljava/util/Iterator; 1 L6: astore_2 .stack append Object java/util/Iterator L7: aload_2 L8: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 L13: ifeq L99 L16: aload_2 L17: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 L22: astore_3 L23: aload_1 L24: astore 4 L26: aload 4 L28: arraylength L29: istore 5 L31: iconst_0 L32: istore 6 .stack full locals Object java/util/Collection Object [Ljava/util/Collection; Object java/util/Iterator Object java/lang/Object Object [Ljava/util/Collection; Integer Integer stack .end stack L34: iload 6 L36: iload 5 L38: if_icmpge L96 L41: aload 4 L43: iload 6 L45: aaload L46: astore 7 L48: aload 7 L50: invokeinterface InterfaceMethod java/util/Collection iterator ()Ljava/util/Iterator; 1 L55: astore 8 .stack append Object java/util/Collection Object java/util/Iterator L57: aload 8 L59: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 L64: ifeq L90 L67: aload 8 L69: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 L74: astore 9 L76: aload_3 L77: aload 9 L79: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z L82: ifeq L87 L85: iconst_1 L86: ireturn .stack same L87: goto L57 .stack chop 2 L90: iinc 6 1 L93: goto L34 .stack full locals Object java/util/Collection Object [Ljava/util/Collection; Object java/util/Iterator stack .end stack L96: goto L7 .stack chop 1 L99: iconst_0 L100: ireturn L101: .linenumbertable L0 28 L23 29 L48 30 L76 31 L85 32 L87 33 L90 29 L96 35 L99 36 .end linenumbertable .end code .signature '<T:Ljava/lang/Object;>(Ljava/util/Collection<TT;>;[Ljava/util/Collection<TT;>;)Z' .end method .sourcefile 'Logic.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 05:55:20 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import java.lang.reflect.Array; 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 Logic_ESTest extends Logic_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { LinkedList<Integer> linkedList0 = new LinkedList<Integer>(); Integer integer0 = new Integer((-67643)); linkedList0.add(integer0); Collection<Integer>[] collectionArray0 = (Collection<Integer>[]) Array.newInstance(Collection.class, 2); collectionArray0[0] = (Collection<Integer>) linkedList0; collectionArray0[1] = (Collection<Integer>) linkedList0; boolean boolean0 = Logic.hasOverlap((Collection<Integer>) linkedList0, collectionArray0); Logic.retain((Collection<Integer>) linkedList0, collectionArray0); LinkedList<String> linkedList1 = new LinkedList<String>(); Collection<String>[] collectionArray1 = (Collection<String>[]) Array.newInstance(Collection.class, 1); boolean boolean1 = Logic.hasOverlap((Collection<String>) linkedList1, collectionArray1); assertFalse(boolean1 == boolean0); Collection<Integer> collection0 = Logic.remove(collectionArray0[0], collectionArray0); assertFalse(collection0.contains((-67643))); } @Test(timeout = 4000) public void test1() throws Throwable { LinkedList<Object> linkedList0 = new LinkedList<Object>(); Collection<Object>[] collectionArray0 = (Collection<Object>[]) Array.newInstance(Collection.class, 0); Object object0 = new Object(); linkedList0.add(object0); linkedList0.add((Object) null); Logic.hasOverlap((Collection<Object>) linkedList0, collectionArray0); Logic.retain((Collection<Object>) linkedList0, collectionArray0); Logic logic0 = new Logic(); LinkedList<String> linkedList1 = new LinkedList<String>(); Collection<String>[] collectionArray1 = (Collection<String>[]) Array.newInstance(Collection.class, 2); collectionArray1[0] = (Collection<String>) linkedList1; collectionArray1[1] = (Collection<String>) linkedList1; Logic.remove((Collection<String>) linkedList1, collectionArray1); boolean boolean0 = Logic.hasOverlap(collectionArray1[0], collectionArray1); assertFalse(boolean0); } @Test(timeout = 4000) public void test2() throws Throwable { LinkedList<Object> linkedList0 = new LinkedList<Object>(); Collection<Object>[] collectionArray0 = (Collection<Object>[]) Array.newInstance(Collection.class, 1); collectionArray0[0] = (Collection<Object>) linkedList0; Collection<Object> collection0 = Logic.remove(collectionArray0[0], collectionArray0); assertNotNull(collection0); } @Test(timeout = 4000) public void test3() throws Throwable { LinkedList<Integer> linkedList0 = new LinkedList<Integer>(); Integer integer0 = new Integer((-67643)); linkedList0.add(integer0); Collection<Integer>[] collectionArray0 = (Collection<Integer>[]) Array.newInstance(Collection.class, 2); collectionArray0[0] = (Collection<Integer>) linkedList0; collectionArray0[1] = (Collection<Integer>) linkedList0; Integer integer1 = new Integer(29991); linkedList0.add(integer1); Collection<Integer> collection0 = Logic.retain((Collection<Integer>) linkedList0, collectionArray0); boolean boolean0 = Logic.hasOverlap(collection0, collectionArray0); assertTrue(boolean0); } @Test(timeout = 4000) public void test4() throws Throwable { LinkedList<String> linkedList0 = new LinkedList<String>(); Collection<String>[] collectionArray0 = (Collection<String>[]) Array.newInstance(Collection.class, 2); collectionArray0[0] = (Collection<String>) linkedList0; LinkedList<String> linkedList1 = new LinkedList<String>(); linkedList1.add("gDXhBCMsE(Oz: x^"); collectionArray0[1] = (Collection<String>) linkedList1; boolean boolean0 = Logic.hasOverlap(collectionArray0[1], collectionArray0); assertTrue(boolean0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 05:55:20 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 Logic_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 = "Logic"; 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/tmpzwx7v3e3"); 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(Logic_ESTest_scaffolding.class.getClassLoader() , "Logic" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Logic_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Logic" ); } }
99