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
UnknownSettingException
/** Exception that a setting, that was searched for, does not exist. */ @SuppressWarnings("serial") public class UnknownSettingException extends Exception { public UnknownSettingException() { super(); } }
.version 52 0 .class public super UnknownSettingException .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 11 L4 12 .end linenumbertable .end code .end method .sourcefile 'UnknownSettingException.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 07:45: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 UnknownSettingException_ESTest extends UnknownSettingException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { UnknownSettingException unknownSettingException0 = new UnknownSettingException(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 07:45: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 UnknownSettingException_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 = "UnknownSettingException"; 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_oidfb50"); 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(UnknownSettingException_ESTest_scaffolding.class.getClassLoader() , "UnknownSettingException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UnknownSettingException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "UnknownSettingException" ); } }
1,700
RelationalOperators
public class RelationalOperators { public static void main(String[] args) { int number = 7; // Always return true or false // <, <=, >, >=, ==, and != // greater than operator System.out.println(number > 5); // true System.out.println(number > 7); // false // greater than equal to operator System.out.println(number >= 7); // true // less than operator System.out.println(number < 9); // true System.out.println(number < 7); // false // less than equal to operator System.out.println(number <= 7); // true // is equal to operator System.out.println(number == 7); // true System.out.println(number == 9); // false // NOT equal to operator System.out.println(number != 9); // true System.out.println(number != 7); // false // NOTE : single = is assignment operator // == is comparison. Below statement uses =. System.out.println(number = 7); // 7 // Equality for Primitives only compares values int a = 5; int b = 5; // compares if they have same value System.out.println(a == b); // true // Equality for Reference Variables. Integer aReference = new Integer(5); Integer bReference = new Integer(5); // compares if they are refering to the same object System.out.println(aReference == bReference); // false bReference = aReference; // Now both are referring to same object System.out.println(aReference == bReference); // true } }
.version 52 0 .class public super RelationalOperators .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 main : ([Ljava/lang/String;)V .code stack 3 locals 6 L0: bipush 7 L2: istore_1 L3: getstatic Field java/lang/System out Ljava/io/PrintStream; L6: iload_1 L7: iconst_5 L8: if_icmple L15 L11: iconst_1 L12: goto L16 .stack full locals Object [Ljava/lang/String; Integer stack Object java/io/PrintStream .end stack L15: iconst_0 .stack full locals Object [Ljava/lang/String; Integer stack Object java/io/PrintStream Integer .end stack L16: invokevirtual Method java/io/PrintStream println (Z)V L19: getstatic Field java/lang/System out Ljava/io/PrintStream; L22: iload_1 L23: bipush 7 L25: if_icmple L32 L28: iconst_1 L29: goto L33 .stack stack_1 Object java/io/PrintStream L32: iconst_0 .stack full locals Object [Ljava/lang/String; Integer stack Object java/io/PrintStream Integer .end stack L33: invokevirtual Method java/io/PrintStream println (Z)V L36: getstatic Field java/lang/System out Ljava/io/PrintStream; L39: iload_1 L40: bipush 7 L42: if_icmplt L49 L45: iconst_1 L46: goto L50 .stack stack_1 Object java/io/PrintStream L49: iconst_0 .stack full locals Object [Ljava/lang/String; Integer stack Object java/io/PrintStream Integer .end stack L50: invokevirtual Method java/io/PrintStream println (Z)V L53: getstatic Field java/lang/System out Ljava/io/PrintStream; L56: iload_1 L57: bipush 9 L59: if_icmpge L66 L62: iconst_1 L63: goto L67 .stack stack_1 Object java/io/PrintStream L66: iconst_0 .stack full locals Object [Ljava/lang/String; Integer stack Object java/io/PrintStream Integer .end stack L67: invokevirtual Method java/io/PrintStream println (Z)V L70: getstatic Field java/lang/System out Ljava/io/PrintStream; L73: iload_1 L74: bipush 7 L76: if_icmpge L83 L79: iconst_1 L80: goto L84 .stack stack_1 Object java/io/PrintStream L83: iconst_0 .stack full locals Object [Ljava/lang/String; Integer stack Object java/io/PrintStream Integer .end stack L84: invokevirtual Method java/io/PrintStream println (Z)V L87: getstatic Field java/lang/System out Ljava/io/PrintStream; L90: iload_1 L91: bipush 7 L93: if_icmpgt L100 L96: iconst_1 L97: goto L101 .stack stack_1 Object java/io/PrintStream L100: iconst_0 .stack full locals Object [Ljava/lang/String; Integer stack Object java/io/PrintStream Integer .end stack L101: invokevirtual Method java/io/PrintStream println (Z)V L104: getstatic Field java/lang/System out Ljava/io/PrintStream; L107: iload_1 L108: bipush 7 L110: if_icmpne L117 L113: iconst_1 L114: goto L118 .stack stack_1 Object java/io/PrintStream L117: iconst_0 .stack full locals Object [Ljava/lang/String; Integer stack Object java/io/PrintStream Integer .end stack L118: invokevirtual Method java/io/PrintStream println (Z)V L121: getstatic Field java/lang/System out Ljava/io/PrintStream; L124: iload_1 L125: bipush 9 L127: if_icmpne L134 L130: iconst_1 L131: goto L135 .stack stack_1 Object java/io/PrintStream L134: iconst_0 .stack full locals Object [Ljava/lang/String; Integer stack Object java/io/PrintStream Integer .end stack L135: invokevirtual Method java/io/PrintStream println (Z)V L138: getstatic Field java/lang/System out Ljava/io/PrintStream; L141: iload_1 L142: bipush 9 L144: if_icmpeq L151 L147: iconst_1 L148: goto L152 .stack stack_1 Object java/io/PrintStream L151: iconst_0 .stack full locals Object [Ljava/lang/String; Integer stack Object java/io/PrintStream Integer .end stack L152: invokevirtual Method java/io/PrintStream println (Z)V L155: getstatic Field java/lang/System out Ljava/io/PrintStream; L158: iload_1 L159: bipush 7 L161: if_icmpeq L168 L164: iconst_1 L165: goto L169 .stack stack_1 Object java/io/PrintStream L168: iconst_0 .stack full locals Object [Ljava/lang/String; Integer stack Object java/io/PrintStream Integer .end stack L169: invokevirtual Method java/io/PrintStream println (Z)V L172: getstatic Field java/lang/System out Ljava/io/PrintStream; L175: bipush 7 L177: dup L178: istore_1 L179: invokevirtual Method java/io/PrintStream println (I)V L182: iconst_5 L183: istore_2 L184: iconst_5 L185: istore_3 L186: getstatic Field java/lang/System out Ljava/io/PrintStream; L189: iload_2 L190: iload_3 L191: if_icmpne L198 L194: iconst_1 L195: goto L199 .stack full locals Object [Ljava/lang/String; Integer Integer Integer stack Object java/io/PrintStream .end stack L198: iconst_0 .stack full locals Object [Ljava/lang/String; Integer Integer Integer stack Object java/io/PrintStream Integer .end stack L199: invokevirtual Method java/io/PrintStream println (Z)V L202: new java/lang/Integer L205: dup L206: iconst_5 L207: invokespecial Method java/lang/Integer <init> (I)V L210: astore 4 L212: new java/lang/Integer L215: dup L216: iconst_5 L217: invokespecial Method java/lang/Integer <init> (I)V L220: astore 5 L222: getstatic Field java/lang/System out Ljava/io/PrintStream; L225: aload 4 L227: aload 5 L229: if_acmpne L236 L232: iconst_1 L233: goto L237 .stack full locals Object [Ljava/lang/String; Integer Integer Integer Object java/lang/Integer Object java/lang/Integer stack Object java/io/PrintStream .end stack L236: iconst_0 .stack full locals Object [Ljava/lang/String; Integer Integer Integer Object java/lang/Integer Object java/lang/Integer stack Object java/io/PrintStream Integer .end stack L237: invokevirtual Method java/io/PrintStream println (Z)V L240: aload 4 L242: astore 5 L244: getstatic Field java/lang/System out Ljava/io/PrintStream; L247: aload 4 L249: aload 5 L251: if_acmpne L258 L254: iconst_1 L255: goto L259 .stack stack_1 Object java/io/PrintStream L258: iconst_0 .stack full locals Object [Ljava/lang/String; Integer Integer Integer Object java/lang/Integer Object java/lang/Integer stack Object java/io/PrintStream Integer .end stack L259: invokevirtual Method java/io/PrintStream println (Z)V L262: return L263: .linenumbertable L0 5 L3 10 L19 11 L36 14 L53 17 L70 18 L87 21 L104 24 L121 25 L138 28 L155 29 L172 33 L182 36 L184 37 L186 40 L202 43 L212 44 L222 47 L240 49 L244 51 L262 52 .end linenumbertable .end code .end method .sourcefile 'RelationalOperators.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 01:14:00 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 RelationalOperators_ESTest extends RelationalOperators_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { RelationalOperators.main((String[]) null); } @Test(timeout = 4000) public void test1() throws Throwable { RelationalOperators relationalOperators0 = new RelationalOperators(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 01:14:00 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 RelationalOperators_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 = "RelationalOperators"; 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/tmp5gxzockr"); 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(RelationalOperators_ESTest_scaffolding.class.getClassLoader() , "RelationalOperators" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RelationalOperators_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "RelationalOperators" ); } }
1,701
Constants
/* (c) 2015 Thomas Smits */ /** Constants used by the framework. */ public final class Constants { /** Conversion factor from nano to milliseconds. */ public static final long NANOSECONDS_PER_MILLISECOND = 1000000L; /** Conversion factor from nano to seconds. */ public static final long NANOSECONDS_PER_SECOND = NANOSECONDS_PER_MILLISECOND * 1000L; /** Draws the outline of a sprite. */ public static final boolean DEBUG_SPRITE_OUTLINE = false; /** Writes the FPS to the screen. */ public static final boolean DEBUG_SHOW_FPS = false; /** Constructor. */ private Constants() { // no instances } }
.version 52 0 .class public final super Constants .super java/lang/Object .field public static final NANOSECONDS_PER_MILLISECOND J = 1000000L .field public static final NANOSECONDS_PER_SECOND J = 1000000000L .field public static final DEBUG_SPRITE_OUTLINE Z = 0 .field public static final DEBUG_SHOW_FPS Z = 0 .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 25 L4 27 .end linenumbertable .end code .end method .sourcefile 'Constants.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 16:21: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 Constants_ESTest extends Constants_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 16:21:04 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 Constants_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 = "Constants"; 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(Constants_ESTest_scaffolding.class.getClassLoader() , "Constants" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Constants_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Constants" ); } }
1,702
Resolution
public class Resolution { private int width; private int heigh; public Resolution(int width, int heigh) { this.width = width; this.heigh = heigh; } public int getWidth() { return width; } public int getHeigh() { return heigh; } }
.version 52 0 .class public super Resolution .super java/lang/Object .field private width I .field private heigh I .method public <init> : (II)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 Resolution width I L9: aload_0 L10: iload_2 L11: putfield Field Resolution heigh I L14: return L15: .linenumbertable L0 7 L4 8 L9 9 L14 10 .end linenumbertable .end code .end method .method public getWidth : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field Resolution width I L4: ireturn L5: .linenumbertable L0 13 .end linenumbertable .end code .end method .method public getHeigh : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field Resolution heigh I L4: ireturn L5: .linenumbertable L0 17 .end linenumbertable .end code .end method .sourcefile 'Resolution.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 00:38: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 Resolution_ESTest extends Resolution_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Resolution resolution0 = new Resolution(0, (-16272)); int int0 = resolution0.getWidth(); assertEquals((-16272), resolution0.getHeigh()); assertEquals(0, int0); } @Test(timeout = 4000) public void test1() throws Throwable { Resolution resolution0 = new Resolution(18, 18); int int0 = resolution0.getWidth(); assertEquals(18, resolution0.getHeigh()); assertEquals(18, int0); } @Test(timeout = 4000) public void test2() throws Throwable { Resolution resolution0 = new Resolution(0, 0); int int0 = resolution0.getHeigh(); assertEquals(0, resolution0.getWidth()); assertEquals(0, int0); } @Test(timeout = 4000) public void test3() throws Throwable { Resolution resolution0 = new Resolution((-1), (-1)); int int0 = resolution0.getHeigh(); assertEquals((-1), int0); assertEquals((-1), resolution0.getWidth()); } @Test(timeout = 4000) public void test4() throws Throwable { Resolution resolution0 = new Resolution(18, 18); int int0 = resolution0.getHeigh(); assertEquals(18, resolution0.getWidth()); assertEquals(18, int0); } @Test(timeout = 4000) public void test5() throws Throwable { Resolution resolution0 = new Resolution((-12087), 0); int int0 = resolution0.getWidth(); assertEquals((-12087), int0); assertEquals(0, resolution0.getHeigh()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 00:38: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 Resolution_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 = "Resolution"; 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/tmp4j1537iz"); 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(Resolution_ESTest_scaffolding.class.getClassLoader() , "Resolution" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Resolution_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Resolution" ); } }
1,703
TestSuit
import java.io.BufferedInputStream; import java.io.File; import java.io.FileInputStream; import java.io.IOException; import java.util.Locale; import java.util.Scanner; public class TestSuit { // assume Unicode UTF-8 encoding private static final String CHARSET_NAME = "UTF-8"; // assume language = English, country = US for consistency with System.out. private static final Locale LOCALE = Locale.US; private static Scanner scanner; public static void main(String[] args) { System.out.println("Enter com.codingpan.test file name: "); String name = args[0]; if (name == null) throw new IllegalArgumentException("argument is null"); try { // first try to read file from local file system File file = new File(name); if (file.exists()) { // for consistency with StdIn, wrap with BufferedInputStream instead of use // file as argument to Scanner FileInputStream fis = new FileInputStream(file); scanner = new Scanner(new BufferedInputStream(fis), CHARSET_NAME); scanner.useLocale(LOCALE); while (scanner.hasNextLine()) { String line = scanner.nextLine(); String[] tokens = line.split(","); for (String token : tokens) { int n = Integer.parseInt(token); } } } } catch (IOException ioe) { throw new IllegalArgumentException("Could not open " + name, ioe); } System.out.println("Your username is " + name); } }
.version 52 0 .class public super TestSuit .super java/lang/Object .field private static final CHARSET_NAME Ljava/lang/String; = 'UTF-8' .field private static final LOCALE Ljava/util/Locale; .field private static scanner Ljava/util/Scanner; .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 static main : ([Ljava/lang/String;)V .code stack 5 locals 11 L0: getstatic Field java/lang/System out Ljava/io/PrintStream; L3: ldc 'Enter com.codingpan.test file name: ' L5: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L8: aload_0 L9: iconst_0 L10: aaload L11: astore_1 L12: aload_1 L13: ifnonnull L26 L16: new java/lang/IllegalArgumentException L19: dup L20: ldc 'argument is null' L22: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;)V L25: athrow .catch java/io/IOException from L26 to L149 using L152 .stack append Object java/lang/String L26: new java/io/File L29: dup L30: aload_1 L31: invokespecial Method java/io/File <init> (Ljava/lang/String;)V L34: astore_2 L35: aload_2 L36: invokevirtual Method java/io/File exists ()Z L39: ifeq L149 L42: new java/io/FileInputStream L45: dup L46: aload_2 L47: invokespecial Method java/io/FileInputStream <init> (Ljava/io/File;)V L50: astore_3 L51: new java/util/Scanner L54: dup L55: new java/io/BufferedInputStream L58: dup L59: aload_3 L60: invokespecial Method java/io/BufferedInputStream <init> (Ljava/io/InputStream;)V L63: ldc 'UTF-8' L65: invokespecial Method java/util/Scanner <init> (Ljava/io/InputStream;Ljava/lang/String;)V L68: putstatic Field TestSuit scanner Ljava/util/Scanner; L71: getstatic Field TestSuit scanner Ljava/util/Scanner; L74: getstatic Field TestSuit LOCALE Ljava/util/Locale; L77: invokevirtual Method java/util/Scanner useLocale (Ljava/util/Locale;)Ljava/util/Scanner; L80: pop .stack append Object java/io/File Object java/io/FileInputStream L81: getstatic Field TestSuit scanner Ljava/util/Scanner; L84: invokevirtual Method java/util/Scanner hasNextLine ()Z L87: ifeq L149 L90: getstatic Field TestSuit scanner Ljava/util/Scanner; L93: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String; L96: astore 4 L98: aload 4 L100: ldc ',' L102: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String; L105: astore 5 L107: aload 5 L109: astore 6 L111: aload 6 L113: arraylength L114: istore 7 L116: iconst_0 L117: istore 8 .stack full locals Object [Ljava/lang/String; Object java/lang/String Object java/io/File Object java/io/FileInputStream Object java/lang/String Object [Ljava/lang/String; Object [Ljava/lang/String; Integer Integer stack .end stack L119: iload 8 L121: iload 7 L123: if_icmpge L146 L126: aload 6 L128: iload 8 L130: aaload L131: astore 9 L133: aload 9 L135: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I L138: istore 10 L140: iinc 8 1 L143: goto L119 .stack full locals Object [Ljava/lang/String; Object java/lang/String Object java/io/File Object java/io/FileInputStream stack .end stack L146: goto L81 .stack chop 2 L149: goto L181 .stack stack_1 Object java/io/IOException L152: astore_2 L153: new java/lang/IllegalArgumentException L156: dup L157: new java/lang/StringBuilder L160: dup L161: invokespecial Method java/lang/StringBuilder <init> ()V L164: ldc 'Could not open ' L166: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L169: aload_1 L170: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L173: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L176: aload_2 L177: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;Ljava/lang/Throwable;)V L180: athrow .stack same L181: getstatic Field java/lang/System out Ljava/io/PrintStream; L184: new java/lang/StringBuilder L187: dup L188: invokespecial Method java/lang/StringBuilder <init> ()V L191: ldc 'Your username is ' L193: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L196: aload_1 L197: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L200: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L203: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L206: return L207: .linenumbertable L0 20 L8 21 L12 23 L26 26 L35 27 L42 30 L51 31 L71 32 L81 33 L90 34 L98 35 L107 36 L133 37 L140 36 L146 39 L149 43 L152 41 L153 42 L181 44 L206 45 .end linenumbertable .end code .end method .method static <clinit> : ()V .code stack 1 locals 0 L0: getstatic Field java/util/Locale US Ljava/util/Locale; L3: putstatic Field TestSuit LOCALE Ljava/util/Locale; L6: return L7: .linenumbertable L0 15 .end linenumbertable .end code .end method .sourcefile 'TestSuit.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 02:16: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.evosuite.runtime.testdata.EvoSuiteFile; import org.evosuite.runtime.testdata.FileSystemHandling; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class TestSuit_ESTest extends TestSuit_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { String[] stringArray0 = new String[4]; stringArray0[0] = "Could not open "; EvoSuiteFile evoSuiteFile0 = new EvoSuiteFile("Could not open "); FileSystemHandling.appendStringToFile(evoSuiteFile0, "Could not open "); stringArray0[2] = "WXrm^9t<"; // Undeclared exception! try { TestSuit.main(stringArray0); fail("Expecting exception: NumberFormatException"); } catch(NumberFormatException e) { // // For input string: \"Could not open \" // verifyException("java.lang.NumberFormatException", e); } } @Test(timeout = 4000) public void test1() throws Throwable { String[] stringArray0 = new String[8]; stringArray0[0] = "0+N=?aVwmmyE"; String[] stringArray1 = new String[7]; stringArray1[0] = "DNB"; EvoSuiteFile evoSuiteFile0 = new EvoSuiteFile("DNB"); byte[] byteArray0 = new byte[0]; FileSystemHandling.appendDataToFile(evoSuiteFile0, byteArray0); TestSuit.main(stringArray1); TestSuit.main(stringArray0); assertEquals(8, stringArray0.length); } @Test(timeout = 4000) public void test2() throws Throwable { String[] stringArray0 = new String[1]; // Undeclared exception! try { TestSuit.main(stringArray0); fail("Expecting exception: IllegalArgumentException"); } catch(IllegalArgumentException e) { // // argument is null // verifyException("TestSuit", e); } } @Test(timeout = 4000) public void test3() throws Throwable { String[] stringArray0 = new String[2]; stringArray0[0] = ""; // Undeclared exception! try { TestSuit.main(stringArray0); fail("Expecting exception: IllegalArgumentException"); } catch(IllegalArgumentException e) { // // Could not open // verifyException("TestSuit", e); } } @Test(timeout = 4000) public void test4() throws Throwable { String[] stringArray0 = new String[7]; stringArray0[0] = "DNB"; EvoSuiteFile evoSuiteFile0 = new EvoSuiteFile("DNB"); byte[] byteArray0 = new byte[0]; FileSystemHandling.appendDataToFile(evoSuiteFile0, byteArray0); TestSuit.main(stringArray0); assertEquals(7, stringArray0.length); } @Test(timeout = 4000) public void test5() throws Throwable { TestSuit testSuit0 = new TestSuit(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 02:16: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 TestSuit_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 = "TestSuit"; 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/tmp0hmi2m9t"); 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(TestSuit_ESTest_scaffolding.class.getClassLoader() , "TestSuit" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TestSuit_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "TestSuit" ); } }
1,704
BOGGLE
import java.util.ArrayList; import java.util.HashMap; import java.util.LinkedList; import java.util.List; import java.util.Scanner; public class BOGGLE { static final int[] dx = {-1, 0, 1, -1, 1, -1, 0, 1}; static final int[] dy = {-1, -1, -1, 0, 0, 1, 1, 1}; static final String cString = "ABCDEFGHIJKLMNOPQRSTUVWXYZ"; static final char[] ALPHABET = cString.toCharArray(); static HashMap<Character, List>[][] map = new HashMap[5][5]; public static void main(String[] args) { long start = System.currentTimeMillis(); Scanner sc = new Scanner(System.in); int T = Integer.parseInt(sc.nextLine()); String[] boggle = new String[5]; while (T-- > 0) { for (int i = 0; i < 5; i++) { boggle[i] = sc.nextLine(); } int samples = Integer.parseInt(sc.nextLine()); String[] words = new String[samples]; for (int i = 0; i < samples; i++) { words[i] = sc.nextLine(); } for (int i = 0; i < words.length; i++) { // printWord(boggle, words[i]); printWordHashMap(boggle, words[i]); // printWordDP(boggle, words[i]); } long finish = System.currentTimeMillis(); System.out.println(finish - start); } } private static void printWordDP(String[] boggle, String word) { List<Integer>[] list = new ArrayList[26]; for (int i = 0; i < ALPHABET.length; i++) { list[i] = new ArrayList<Integer>(); for (int j = 0; j < 25; j++) { if (boggle[j / 5].charAt(j % 5) == ALPHABET[i]) { list[i].add(j); } } } // now each alphabet has locations int[] result = new int[word.length() - 1]; for (int i = 0; i < result.length; i++) { result[i] = Integer.MAX_VALUE; } for (int i = 0; i < word.length() - 1; i++) { for (int iLocation : list[word.charAt(i) - 'A']) { int j = i + 1; // next char for (int jLocation : list[word.charAt(j) - 'A']) { if (iLocation == jLocation) continue; double temp = Math.hypot(iLocation / 5 - jLocation / 5, iLocation % 5 - jLocation % 5); result[i] = Math.min(result[i], (int) temp); } } } for (int i : result) { if (i >= 2) { System.out.println(word + " NO"); return; } } System.out.println(word + " YES"); } public static void printWord(String[] boggle, String word) { for (int i = 0; i < 5; i++) { for (int j = 0; j < 5; j++) { if (boggle[i].charAt(j) == word.charAt(0) && search(i, j, boggle, word, 1)) { System.out.println(word + " YES"); return; } } } System.out.println(word + " NO"); } public static boolean search(int x, int y, String[] boggle, String word, int n) { if (n >= word.length() + 1) return (boggle[x].charAt(y) == word.charAt(n - 1)) ? true : false; for (int i = 0; i < 8; i++) { if (0 <= x + dx[i] && x + dx[i] < 5 && 0 <= y + dy[i] && y + dy[i] < 5) if (word.charAt(n) == boggle[x + dx[i]].charAt(y + dy[i])) if (search(x + dx[i], y + dy[i], boggle, word, n + 1)) return true; } return false; } public static void printWordHashMap(String[] boggle, String word) { for (int i = 0; i < 25; i++) { map[i / 5][i % 5] = new HashMap<Character, List>(); for (int j = 0; j < 26; j++) { map[i / 5][i % 5].put(ALPHABET[j], new LinkedList<HashMap>()); } } for (int i = 0; i < 25; i++) { for (int j = 0; j < 8; j++) { int newX = i / 5 + dx[j]; int newY = i % 5 + dy[j]; if (0 <= newX && newX < 5 && 0 <= newY && newY < 5) { List<HashMap> list = map[i / 5][i % 5].get(boggle[newX].charAt(newY)); list.add(map[newX][newY]); map[i / 5][i % 5].put(boggle[i / 5].charAt(i % 5), list); } } } for (int i = 0; i < 25; i++) { if (boggle[i / 5].charAt(i % 5) == word.charAt(0) && searchHashMap(1, word, map[i / 5][i % 5])) { System.out.println(word + " YES"); return; } } System.out.println(word + " NO"); } public static boolean searchHashMap(int n, String word, HashMap map) { if (n >= word.length()) return true; List list = (List) map.get(word.charAt(n)); for (Object o : list) { HashMap<Character, List> m = (HashMap<Character, List>) o; if (searchHashMap(n + 1, word, m)) return true; } return false; } }
.version 52 0 .class public super BOGGLE .super java/lang/Object .field static final dx [I .field static final dy [I .field static final cString Ljava/lang/String; = 'ABCDEFGHIJKLMNOPQRSTUVWXYZ' .field static final ALPHABET [C .field static map [[Ljava/util/HashMap; .fieldattributes .signature [[Ljava/util/HashMap<Ljava/lang/Character;Ljava/util/List;>; .end fieldattributes .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 5 locals 10 L0: invokestatic Method java/lang/System currentTimeMillis ()J L3: lstore_1 L4: new java/util/Scanner L7: dup L8: getstatic Field java/lang/System in Ljava/io/InputStream; L11: invokespecial Method java/util/Scanner <init> (Ljava/io/InputStream;)V L14: astore_3 L15: aload_3 L16: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String; L19: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I L22: istore 4 L24: iconst_5 L25: anewarray java/lang/String L28: astore 5 .stack full locals Object [Ljava/lang/String; Long Object java/util/Scanner Integer Object [Ljava/lang/String; stack .end stack L30: iload 4 L32: iinc 4 -1 L35: ifle L148 L38: iconst_0 L39: istore 6 .stack append Integer L41: iload 6 L43: iconst_5 L44: if_icmpge L62 L47: aload 5 L49: iload 6 L51: aload_3 L52: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String; L55: aastore L56: iinc 6 1 L59: goto L41 .stack chop 1 L62: aload_3 L63: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String; L66: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I L69: istore 6 L71: iload 6 L73: anewarray java/lang/String L76: astore 7 L78: iconst_0 L79: istore 8 .stack append Integer Object [Ljava/lang/String; Integer L81: iload 8 L83: iload 6 L85: if_icmpge L103 L88: aload 7 L90: iload 8 L92: aload_3 L93: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String; L96: aastore L97: iinc 8 1 L100: goto L81 .stack chop 1 L103: iconst_0 L104: istore 8 .stack append Integer L106: iload 8 L108: aload 7 L110: arraylength L111: if_icmpge L130 L114: aload 5 L116: aload 7 L118: iload 8 L120: aaload L121: invokestatic Method BOGGLE printWordHashMap ([Ljava/lang/String;Ljava/lang/String;)V L124: iinc 8 1 L127: goto L106 .stack chop 1 L130: invokestatic Method java/lang/System currentTimeMillis ()J L133: lstore 8 L135: getstatic Field java/lang/System out Ljava/io/PrintStream; L138: lload 8 L140: lload_1 L141: lsub L142: invokevirtual Method java/io/PrintStream println (J)V L145: goto L30 .stack chop 2 L148: return L149: .linenumbertable L0 17 L4 18 L15 19 L24 20 L30 21 L38 22 L47 23 L56 22 L62 26 L71 27 L78 28 L88 29 L97 28 L103 31 L114 33 L124 31 L130 36 L135 37 L145 38 L148 39 .end linenumbertable .end code .end method .method private static printWordDP : ([Ljava/lang/String;Ljava/lang/String;)V .code stack 5 locals 12 L0: bipush 26 L2: anewarray java/util/ArrayList L5: astore_2 L6: iconst_0 L7: istore_3 .stack append Object [Ljava/util/List; Integer L8: iload_3 L9: getstatic Field BOGGLE ALPHABET [C L12: arraylength L13: if_icmpge L83 L16: aload_2 L17: iload_3 L18: new java/util/ArrayList L21: dup L22: invokespecial Method java/util/ArrayList <init> ()V L25: aastore L26: iconst_0 L27: istore 4 .stack append Integer L29: iload 4 L31: bipush 25 L33: if_icmpge L77 L36: aload_0 L37: iload 4 L39: iconst_5 L40: idiv L41: aaload L42: iload 4 L44: iconst_5 L45: irem L46: invokevirtual Method java/lang/String charAt (I)C L49: getstatic Field BOGGLE ALPHABET [C L52: iload_3 L53: caload L54: if_icmpne L71 L57: aload_2 L58: iload_3 L59: aaload L60: iload 4 L62: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; L65: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 L70: pop .stack same L71: iinc 4 1 L74: goto L29 .stack chop 1 L77: iinc 3 1 L80: goto L8 .stack chop 1 L83: aload_1 L84: invokevirtual Method java/lang/String length ()I L87: iconst_1 L88: isub L89: newarray int L91: astore_3 L92: iconst_0 L93: istore 4 .stack append Object [I Integer L95: iload 4 L97: aload_3 L98: arraylength L99: if_icmpge L114 L102: aload_3 L103: iload 4 L105: ldc 2147483647 L107: iastore L108: iinc 4 1 L111: goto L95 .stack chop 1 L114: iconst_0 L115: istore 4 .stack append Integer L117: iload 4 L119: aload_1 L120: invokevirtual Method java/lang/String length ()I L123: iconst_1 L124: isub L125: if_icmpge L281 L128: aload_2 L129: aload_1 L130: iload 4 L132: invokevirtual Method java/lang/String charAt (I)C L135: bipush 65 L137: isub L138: aaload L139: invokeinterface InterfaceMethod java/util/List iterator ()Ljava/util/Iterator; 1 L144: astore 5 .stack append Object java/util/Iterator L146: aload 5 L148: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 L153: ifeq L275 L156: aload 5 L158: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 L163: checkcast java/lang/Integer L166: invokevirtual Method java/lang/Integer intValue ()I L169: istore 6 L171: iload 4 L173: iconst_1 L174: iadd L175: istore 7 L177: aload_2 L178: aload_1 L179: iload 7 L181: invokevirtual Method java/lang/String charAt (I)C L184: bipush 65 L186: isub L187: aaload L188: invokeinterface InterfaceMethod java/util/List iterator ()Ljava/util/Iterator; 1 L193: astore 8 .stack append Integer Integer Object java/util/Iterator L195: aload 8 L197: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 L202: ifeq L272 L205: aload 8 L207: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 L212: checkcast java/lang/Integer L215: invokevirtual Method java/lang/Integer intValue ()I L218: istore 9 L220: iload 6 L222: iload 9 L224: if_icmpne L230 L227: goto L195 .stack append Integer L230: iload 6 L232: iconst_5 L233: idiv L234: iload 9 L236: iconst_5 L237: idiv L238: isub L239: i2d L240: iload 6 L242: iconst_5 L243: irem L244: iload 9 L246: iconst_5 L247: irem L248: isub L249: i2d L250: invokestatic Method java/lang/Math hypot (DD)D L253: dstore 10 L255: aload_3 L256: iload 4 L258: aload_3 L259: iload 4 L261: iaload L262: dload 10 L264: d2i L265: invokestatic Method java/lang/Math min (II)I L268: iastore L269: goto L195 .stack full locals Object [Ljava/lang/String; Object java/lang/String Object [Ljava/util/List; Object [I Integer Object java/util/Iterator stack .end stack L272: goto L146 .stack chop 1 L275: iinc 4 1 L278: goto L117 .stack chop 1 L281: aload_3 L282: astore 4 L284: aload 4 L286: arraylength L287: istore 5 L289: iconst_0 L290: istore 6 .stack append Object [I Integer Integer L292: iload 6 L294: iload 5 L296: if_icmpge L344 L299: aload 4 L301: iload 6 L303: iaload L304: istore 7 L306: iload 7 L308: iconst_2 L309: if_icmplt L338 L312: getstatic Field java/lang/System out Ljava/io/PrintStream; L315: new java/lang/StringBuilder L318: dup L319: invokespecial Method java/lang/StringBuilder <init> ()V L322: aload_1 L323: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L326: ldc ' NO' L328: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L331: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L334: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L337: return .stack same L338: iinc 6 1 L341: goto L292 .stack chop 3 L344: getstatic Field java/lang/System out Ljava/io/PrintStream; L347: new java/lang/StringBuilder L350: dup L351: invokespecial Method java/lang/StringBuilder <init> ()V L354: aload_1 L355: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L358: ldc ' YES' L360: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)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: return L370: .linenumbertable L0 41 L6 43 L16 44 L26 45 L36 46 L57 47 L71 45 L77 43 L83 52 L92 53 L102 54 L108 53 L114 56 L128 57 L171 58 L177 59 L220 60 L230 61 L255 62 L269 63 L272 65 L275 56 L281 67 L306 68 L312 69 L337 70 L338 67 L344 73 L369 77 .end linenumbertable .end code .end method .method public static printWord : ([Ljava/lang/String;Ljava/lang/String;)V .code stack 5 locals 4 L0: iconst_0 L1: istore_2 .stack append Integer L2: iload_2 L3: iconst_5 L4: if_icmpge L78 L7: iconst_0 L8: istore_3 .stack append Integer L9: iload_3 L10: iconst_5 L11: if_icmpge L72 L14: aload_0 L15: iload_2 L16: aaload L17: iload_3 L18: invokevirtual Method java/lang/String charAt (I)C L21: aload_1 L22: iconst_0 L23: invokevirtual Method java/lang/String charAt (I)C L26: if_icmpne L66 L29: iload_2 L30: iload_3 L31: aload_0 L32: aload_1 L33: iconst_1 L34: invokestatic Method BOGGLE search (II[Ljava/lang/String;Ljava/lang/String;I)Z L37: ifeq L66 L40: getstatic Field java/lang/System out Ljava/io/PrintStream; L43: new java/lang/StringBuilder L46: dup L47: invokespecial Method java/lang/StringBuilder <init> ()V L50: aload_1 L51: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L54: ldc ' YES' L56: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L59: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L62: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L65: return .stack same L66: iinc 3 1 L69: goto L9 .stack chop 1 L72: iinc 2 1 L75: goto L2 .stack chop 1 L78: getstatic Field java/lang/System out Ljava/io/PrintStream; L81: new java/lang/StringBuilder L84: dup L85: invokespecial Method java/lang/StringBuilder <init> ()V L88: aload_1 L89: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L92: ldc ' NO' L94: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L97: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L100: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L103: return L104: .linenumbertable L0 79 L7 80 L14 81 L34 82 L40 83 L65 84 L66 80 L72 79 L78 89 L103 90 .end linenumbertable .end code .end method .method public static search : (II[Ljava/lang/String;Ljava/lang/String;I)Z .code stack 6 locals 6 L0: iload 4 L2: aload_3 L3: invokevirtual Method java/lang/String length ()I L6: iconst_1 L7: iadd L8: if_icmplt L35 L11: aload_2 L12: iload_0 L13: aaload L14: iload_1 L15: invokevirtual Method java/lang/String charAt (I)C L18: aload_3 L19: iload 4 L21: iconst_1 L22: isub L23: invokevirtual Method java/lang/String charAt (I)C L26: if_icmpne L33 L29: iconst_1 L30: goto L34 .stack same L33: iconst_0 .stack stack_1 Integer L34: ireturn .stack same L35: iconst_0 L36: istore 5 .stack append Integer L38: iload 5 L40: bipush 8 L42: if_icmpge L159 L45: iconst_0 L46: iload_0 L47: getstatic Field BOGGLE dx [I L50: iload 5 L52: iaload L53: iadd L54: if_icmpgt L153 L57: iload_0 L58: getstatic Field BOGGLE dx [I L61: iload 5 L63: iaload L64: iadd L65: iconst_5 L66: if_icmpge L153 L69: iconst_0 L70: iload_1 L71: getstatic Field BOGGLE dy [I L74: iload 5 L76: iaload L77: iadd L78: if_icmpgt L153 L81: iload_1 L82: getstatic Field BOGGLE dy [I L85: iload 5 L87: iaload L88: iadd L89: iconst_5 L90: if_icmpge L153 L93: aload_3 L94: iload 4 L96: invokevirtual Method java/lang/String charAt (I)C L99: aload_2 L100: iload_0 L101: getstatic Field BOGGLE dx [I L104: iload 5 L106: iaload L107: iadd L108: aaload L109: iload_1 L110: getstatic Field BOGGLE dy [I L113: iload 5 L115: iaload L116: iadd L117: invokevirtual Method java/lang/String charAt (I)C L120: if_icmpne L153 L123: iload_0 L124: getstatic Field BOGGLE dx [I L127: iload 5 L129: iaload L130: iadd L131: iload_1 L132: getstatic Field BOGGLE dy [I L135: iload 5 L137: iaload L138: iadd L139: aload_2 L140: aload_3 L141: iload 4 L143: iconst_1 L144: iadd L145: invokestatic Method BOGGLE search (II[Ljava/lang/String;Ljava/lang/String;I)Z L148: ifeq L153 L151: iconst_1 L152: ireturn .stack same_extended L153: iinc 5 1 L156: goto L38 .stack chop 1 L159: iconst_0 L160: ireturn L161: .linenumbertable L0 92 L11 93 L35 94 L45 95 L93 97 L123 98 L151 99 L153 94 L159 103 .end linenumbertable .end code .end method .method public static printWordHashMap : ([Ljava/lang/String;Ljava/lang/String;)V .code stack 5 locals 7 L0: iconst_0 L1: istore_2 .stack append Integer L2: iload_2 L3: bipush 25 L5: if_icmpge L76 L8: getstatic Field BOGGLE map [[Ljava/util/HashMap; L11: iload_2 L12: iconst_5 L13: idiv L14: aaload L15: iload_2 L16: iconst_5 L17: irem L18: new java/util/HashMap L21: dup L22: invokespecial Method java/util/HashMap <init> ()V L25: aastore L26: iconst_0 L27: istore_3 .stack append Integer L28: iload_3 L29: bipush 26 L31: if_icmpge L70 L34: getstatic Field BOGGLE map [[Ljava/util/HashMap; L37: iload_2 L38: iconst_5 L39: idiv L40: aaload L41: iload_2 L42: iconst_5 L43: irem L44: aaload L45: getstatic Field BOGGLE ALPHABET [C L48: iload_3 L49: caload L50: invokestatic Method java/lang/Character valueOf (C)Ljava/lang/Character; L53: new java/util/LinkedList L56: dup L57: invokespecial Method java/util/LinkedList <init> ()V L60: invokevirtual Method java/util/HashMap put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; L63: pop L64: iinc 3 1 L67: goto L28 .stack chop 1 L70: iinc 2 1 L73: goto L2 .stack chop 1 L76: iconst_0 L77: istore_2 .stack append Integer L78: iload_2 L79: bipush 25 L81: if_icmpge L229 L84: iconst_0 L85: istore_3 .stack append Integer L86: iload_3 L87: bipush 8 L89: if_icmpge L223 L92: iload_2 L93: iconst_5 L94: idiv L95: getstatic Field BOGGLE dx [I L98: iload_3 L99: iaload L100: iadd L101: istore 4 L103: iload_2 L104: iconst_5 L105: irem L106: getstatic Field BOGGLE dy [I L109: iload_3 L110: iaload L111: iadd L112: istore 5 L114: iconst_0 L115: iload 4 L117: if_icmpgt L217 L120: iload 4 L122: iconst_5 L123: if_icmpge L217 L126: iconst_0 L127: iload 5 L129: if_icmpgt L217 L132: iload 5 L134: iconst_5 L135: if_icmpge L217 L138: getstatic Field BOGGLE map [[Ljava/util/HashMap; L141: iload_2 L142: iconst_5 L143: idiv L144: aaload L145: iload_2 L146: iconst_5 L147: irem L148: aaload L149: aload_0 L150: iload 4 L152: aaload L153: iload 5 L155: invokevirtual Method java/lang/String charAt (I)C L158: invokestatic Method java/lang/Character valueOf (C)Ljava/lang/Character; L161: invokevirtual Method java/util/HashMap get (Ljava/lang/Object;)Ljava/lang/Object; L164: checkcast java/util/List L167: astore 6 L169: aload 6 L171: getstatic Field BOGGLE map [[Ljava/util/HashMap; L174: iload 4 L176: aaload L177: iload 5 L179: aaload L180: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 L185: pop L186: getstatic Field BOGGLE map [[Ljava/util/HashMap; L189: iload_2 L190: iconst_5 L191: idiv L192: aaload L193: iload_2 L194: iconst_5 L195: irem L196: aaload L197: aload_0 L198: iload_2 L199: iconst_5 L200: idiv L201: aaload L202: iload_2 L203: iconst_5 L204: irem L205: invokevirtual Method java/lang/String charAt (I)C L208: invokestatic Method java/lang/Character valueOf (C)Ljava/lang/Character; L211: aload 6 L213: invokevirtual Method java/util/HashMap put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; L216: pop .stack same_extended L217: iinc 3 1 L220: goto L86 .stack chop 1 L223: iinc 2 1 L226: goto L78 .stack chop 1 L229: iconst_0 L230: istore_2 .stack append Integer L231: iload_2 L232: bipush 25 L234: if_icmpge L307 L237: aload_0 L238: iload_2 L239: iconst_5 L240: idiv L241: aaload L242: iload_2 L243: iconst_5 L244: irem L245: invokevirtual Method java/lang/String charAt (I)C L248: aload_1 L249: iconst_0 L250: invokevirtual Method java/lang/String charAt (I)C L253: if_icmpne L301 L256: iconst_1 L257: aload_1 L258: getstatic Field BOGGLE map [[Ljava/util/HashMap; L261: iload_2 L262: iconst_5 L263: idiv L264: aaload L265: iload_2 L266: iconst_5 L267: irem L268: aaload L269: invokestatic Method BOGGLE searchHashMap (ILjava/lang/String;Ljava/util/HashMap;)Z L272: ifeq L301 L275: getstatic Field java/lang/System out Ljava/io/PrintStream; L278: new java/lang/StringBuilder L281: dup L282: invokespecial Method java/lang/StringBuilder <init> ()V L285: aload_1 L286: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L289: ldc ' YES' L291: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L294: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L297: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L300: return .stack same_extended L301: iinc 2 1 L304: goto L231 .stack chop 1 L307: getstatic Field java/lang/System out Ljava/io/PrintStream; L310: new java/lang/StringBuilder L313: dup L314: invokespecial Method java/lang/StringBuilder <init> ()V L317: aload_1 L318: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L321: ldc ' NO' L323: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L326: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L329: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L332: return L333: .linenumbertable L0 106 L8 107 L26 109 L34 110 L64 109 L70 106 L76 114 L84 115 L92 116 L103 117 L114 118 L138 120 L169 121 L186 122 L217 115 L223 114 L229 129 L237 130 L269 131 L275 132 L300 133 L301 129 L307 136 L332 137 .end linenumbertable .end code .end method .method public static searchHashMap : (ILjava/lang/String;Ljava/util/HashMap;)Z .code stack 3 locals 7 L0: iload_0 L1: aload_1 L2: invokevirtual Method java/lang/String length ()I L5: if_icmplt L10 L8: iconst_1 L9: ireturn .stack same L10: aload_2 L11: aload_1 L12: iload_0 L13: invokevirtual Method java/lang/String charAt (I)C L16: invokestatic Method java/lang/Character valueOf (C)Ljava/lang/Character; L19: invokevirtual Method java/util/HashMap get (Ljava/lang/Object;)Ljava/lang/Object; L22: checkcast java/util/List L25: astore_3 L26: aload_3 L27: invokeinterface InterfaceMethod java/util/List iterator ()Ljava/util/Iterator; 1 L32: astore 4 .stack append Object java/util/List Object java/util/Iterator L34: aload 4 L36: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 L41: ifeq L77 L44: aload 4 L46: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 L51: astore 5 L53: aload 5 L55: checkcast java/util/HashMap L58: astore 6 L60: iload_0 L61: iconst_1 L62: iadd L63: aload_1 L64: aload 6 L66: invokestatic Method BOGGLE searchHashMap (ILjava/lang/String;Ljava/util/HashMap;)Z L69: ifeq L74 L72: iconst_1 L73: ireturn .stack same L74: goto L34 .stack chop 1 L77: iconst_0 L78: ireturn L79: .linenumbertable L0 139 L8 140 L10 141 L26 142 L53 143 L60 144 L74 145 L77 146 .end linenumbertable .end code .end method .method static <clinit> : ()V .code stack 4 locals 0 L0: bipush 8 L2: newarray int L4: dup L5: iconst_0 L6: iconst_m1 L7: iastore L8: dup L9: iconst_1 L10: iconst_0 L11: iastore L12: dup L13: iconst_2 L14: iconst_1 L15: iastore L16: dup L17: iconst_3 L18: iconst_m1 L19: iastore L20: dup L21: iconst_4 L22: iconst_1 L23: iastore L24: dup L25: iconst_5 L26: iconst_m1 L27: iastore L28: dup L29: bipush 6 L31: iconst_0 L32: iastore L33: dup L34: bipush 7 L36: iconst_1 L37: iastore L38: putstatic Field BOGGLE dx [I L41: bipush 8 L43: newarray int L45: dup L46: iconst_0 L47: iconst_m1 L48: iastore L49: dup L50: iconst_1 L51: iconst_m1 L52: iastore L53: dup L54: iconst_2 L55: iconst_m1 L56: iastore L57: dup L58: iconst_3 L59: iconst_0 L60: iastore L61: dup L62: iconst_4 L63: iconst_0 L64: iastore L65: dup L66: iconst_5 L67: iconst_1 L68: iastore L69: dup L70: bipush 6 L72: iconst_1 L73: iastore L74: dup L75: bipush 7 L77: iconst_1 L78: iastore L79: putstatic Field BOGGLE dy [I L82: ldc 'ABCDEFGHIJKLMNOPQRSTUVWXYZ' L84: invokevirtual Method java/lang/String toCharArray ()[C L87: putstatic Field BOGGLE ALPHABET [C L90: iconst_5 L91: iconst_5 L92: multianewarray [[Ljava/util/HashMap; 2 L96: putstatic Field BOGGLE map [[Ljava/util/HashMap; L99: return L100: .linenumbertable L0 10 L41 11 L82 14 L90 15 .end linenumbertable .end code .end method .sourcefile 'BOGGLE.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 12:25:34 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.util.HashMap; import java.util.NoSuchElementException; import java.util.function.BiFunction; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.evosuite.runtime.ViolatedAssumptionAnswer; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class BOGGLE_ESTest extends BOGGLE_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { String[] stringArray0 = new String[8]; stringArray0[0] = "NTjc\"[ ?+AsDXhU"; stringArray0[1] = "CG<-6H."; stringArray0[2] = " YES"; stringArray0[3] = "S'8#P."; stringArray0[4] = " YES"; stringArray0[5] = "W4;XR248kf#zRgT"; stringArray0[6] = ""; stringArray0[7] = ""; // Undeclared exception! try { BOGGLE.printWord(stringArray0, "F!Qqy"); fail("Expecting exception: StringIndexOutOfBoundsException"); } catch(StringIndexOutOfBoundsException e) { } } @Test(timeout = 4000) public void test01() throws Throwable { boolean boolean0 = BOGGLE.searchHashMap(0, "", (HashMap) null); assertTrue(boolean0); } @Test(timeout = 4000) public void test02() throws Throwable { int int0 = (-1); int int1 = (-1); String[] stringArray0 = new String[1]; String string0 = "l_Yu%T"; stringArray0[0] = "l_Yu%T"; String string1 = "E"; // Undeclared exception! try { BOGGLE.search((-1), (-1), stringArray0, "E", (-1)); fail("Expecting exception: StringIndexOutOfBoundsException"); } catch(StringIndexOutOfBoundsException e) { } } @Test(timeout = 4000) public void test03() throws Throwable { String[] stringArray0 = new String[4]; stringArray0[0] = "i=s_*]"; stringArray0[1] = ""; stringArray0[2] = ""; stringArray0[3] = "\"BfVz9>"; BOGGLE.search((-29033), 32899, stringArray0, "", (-29033)); HashMap<String, String> hashMap0 = new HashMap<String, String>(); hashMap0.put("", ""); // Undeclared exception! try { BOGGLE.searchHashMap((-29033), "rX[_/cuXbp4_", hashMap0); fail("Expecting exception: StringIndexOutOfBoundsException"); } catch(StringIndexOutOfBoundsException e) { } } @Test(timeout = 4000) public void test04() throws Throwable { int int0 = 2; String string0 = "yGbJw^T]\"R(uMXP7"; HashMap<Object, String> hashMap0 = new HashMap<Object, String>(); BiFunction<Object, Object, String> biFunction0 = (BiFunction<Object, Object, String>) mock(BiFunction.class, new ViolatedAssumptionAnswer()); hashMap0.replaceAll(biFunction0); // Undeclared exception! try { BOGGLE.searchHashMap(2, "yGbJw^T]\"R(uMXP7", hashMap0); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // verifyException("BOGGLE", e); } } @Test(timeout = 4000) public void test05() throws Throwable { String[] stringArray0 = new String[6]; stringArray0[0] = "WHxTKDuK+6B"; stringArray0[1] = ")D&o=z=|Ug\""; stringArray0[2] = ""; stringArray0[3] = ""; stringArray0[4] = "L*#bq"; stringArray0[5] = ""; // Undeclared exception! try { BOGGLE.printWordHashMap(stringArray0, "L*#bq"); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // verifyException("BOGGLE", e); } } @Test(timeout = 4000) public void test06() throws Throwable { String[] stringArray0 = new String[0]; String string0 = " NO"; // Undeclared exception! try { BOGGLE.printWordHashMap(stringArray0, " NO"); fail("Expecting exception: ArrayIndexOutOfBoundsException"); } catch(ArrayIndexOutOfBoundsException e) { // // 1 // verifyException("BOGGLE", e); } } @Test(timeout = 4000) public void test07() throws Throwable { int int0 = 0; String[] stringArray0 = new String[3]; String string0 = "'x"; stringArray0[0] = "'x"; String string1 = "x/YY<_f]?vyHVfrYu"; stringArray0[1] = "x/YY<_f]?vyHVfrYu"; String string2 = "4MmIlQ'7)/M-v"; stringArray0[2] = "4MmIlQ'7)/M-v"; // Undeclared exception! try { BOGGLE.search(0, 0, stringArray0, "+DntTDT*7M+@:'", 23454); fail("Expecting exception: StringIndexOutOfBoundsException"); } catch(StringIndexOutOfBoundsException e) { } } @Test(timeout = 4000) public void test08() throws Throwable { String[] stringArray0 = new String[6]; stringArray0[0] = "=ao,}a,+)8"; stringArray0[1] = ""; stringArray0[2] = ""; stringArray0[3] = "P/M~J,)"; stringArray0[4] = ""; stringArray0[5] = "u6-u`MM2=?Tqq("; // Undeclared exception! try { BOGGLE.printWordHashMap(stringArray0, ""); fail("Expecting exception: StringIndexOutOfBoundsException"); } catch(StringIndexOutOfBoundsException e) { } } @Test(timeout = 4000) public void test09() throws Throwable { String[] stringArray0 = new String[9]; stringArray0[0] = ""; stringArray0[1] = "/!?#YX 0YO@2sarSdB2"; stringArray0[2] = ">K#]1')~|gFh)??%"; stringArray0[3] = ""; stringArray0[4] = "BOGGLE"; stringArray0[5] = "k&P#WAs"; stringArray0[6] = "q<<M=cC+-WB1e"; stringArray0[7] = "@rg=!nE:,= Bfv"; stringArray0[8] = "$d`/E"; // Undeclared exception! try { BOGGLE.printWord(stringArray0, ""); fail("Expecting exception: StringIndexOutOfBoundsException"); } catch(StringIndexOutOfBoundsException e) { } } @Test(timeout = 4000) public void test10() throws Throwable { BOGGLE bOGGLE0 = new BOGGLE(); String[] stringArray0 = new String[7]; stringArray0[0] = "K"; stringArray0[1] = " 1.&i"; stringArray0[2] = ""; stringArray0[3] = "_("; stringArray0[4] = " NO"; stringArray0[5] = " NO"; stringArray0[6] = "K[\"-f"; // Undeclared exception! try { BOGGLE.main(stringArray0); fail("Expecting exception: NoSuchElementException"); } catch(NoSuchElementException e) { // // No line found // verifyException("java.util.Scanner", e); } } @Test(timeout = 4000) public void test11() throws Throwable { String[] stringArray0 = new String[6]; stringArray0[0] = ""; stringArray0[1] = ""; stringArray0[2] = "/qk/RBqZ"; stringArray0[3] = ""; stringArray0[4] = "~teAe=a"; stringArray0[5] = "Bfv>"; // Undeclared exception! try { BOGGLE.main(stringArray0); fail("Expecting exception: NoSuchElementException"); } catch(NoSuchElementException e) { // // No line found // verifyException("java.util.Scanner", e); } } @Test(timeout = 4000) public void test12() throws Throwable { String[] stringArray0 = new String[8]; stringArray0[0] = ";H:"; stringArray0[1] = "2"; stringArray0[2] = "I"; stringArray0[3] = ""; stringArray0[4] = ""; stringArray0[5] = "BOGGLE"; stringArray0[6] = "zXjiU"; String string0 = "OM-&>Z2q//"; stringArray0[7] = "OM-&>Z2q//"; // Undeclared exception! try { BOGGLE.printWord(stringArray0, "BOGGLE"); fail("Expecting exception: StringIndexOutOfBoundsException"); } catch(StringIndexOutOfBoundsException e) { } } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 12:25: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; import static org.evosuite.shaded.org.mockito.Mockito.*; @EvoSuiteClassExclude public class BOGGLE_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 = "BOGGLE"; 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(); 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/tmphi5eibb5"); 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(BOGGLE_ESTest_scaffolding.class.getClassLoader() , "BOGGLE" ); } private static void initMocksToAvoidTimeoutsInTheTests() throws ClassNotFoundException { mock(Class.forName("java.util.function.BiFunction", false, BOGGLE_ESTest_scaffolding.class.getClassLoader())); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BOGGLE_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "BOGGLE" ); } }
1,705
ARGB
// -------------------------------------------------------------------------- /** * Stores a 32-bit Alpha + RGB colour value. * * <p>The alpha value is in the topmost 8 bits, with red, green and blue in progressively less * significant bits. */ public class ARGB { // -------------------------------------------------------------------------- /** * Default constructor. * * <p>Set's the colour to opaque white. */ public ARGB() { this(0xFFFFFFFF); } // -------------------------------------------------------------------------- /** * Constructor that sets all four components. * * @param alpha the alpha component, in the range [0,255]. * @param red the red component, in the range [0,255]. * @param green the green component, in the range [0,255]. * @param blue the blue component, in the range [0,255]. */ public ARGB(int alpha, int red, int green, int blue) { _value = ((alpha & 0xFF) << 24) | ((red & 0xFF) << 16) | ((green & 0xFF) << 8) | (blue & 0xFF); } // -------------------------------------------------------------------------- /** * Constructor to set the 32-bit integer value of this colour. * * @param value the new value, with A, R, G and B components in the most significant to least * significant octets, respectively. */ public ARGB(int value) { _value = value; } // -------------------------------------------------------------------------- /** * Set the 32-bit integer value of this colour. * * @param value the new value, with A, R, G and B components in the most significant to least * significant octets, respectively. */ public void setValue(int value) { _value = value; } // -------------------------------------------------------------------------- /** * Return the integer value, with A, R, G and B components in the most significant to least * significant octets, respectively. * * @return the integer value, with A, R, G and B components in the most significant to least * significant octets, respectively. */ public int getValue() { return _value; } // -------------------------------------------------------------------------- /** * Set the alpha component of this colour. * * @param alpha the new alpha value, in the range [0,255]. */ public void setAlpha(int alpha) { _value = (_value & RGB_BITS) | ((alpha & 0xFF) << 24); } // -------------------------------------------------------------------------- /** * Return the alpha component, in the range [0,255]. * * @return the alpha component, in the range [0,255]. */ public int getAlpha() { return (_value >> 24) & 0xFF; } // -------------------------------------------------------------------------- /** * Set the R, G and B components together as a 24-bit integer. * * @param rgb the R, G and B components together as a 24-bit integer. */ public void setRGB(int rgb) { _value = (_value & ALPHA_BITS) | (rgb & RGB_BITS); } // -------------------------------------------------------------------------- /** * Return the R, G and B components together as a 24-bit integer. * * @return the R, G and B components together as a 24-bit integer. */ public int getRGB() { return _value & RGB_BITS; } // -------------------------------------------------------------------------- /** * Set the red component, in the range [0,255]. * * @param red the red component, in the range [0,255]. */ public void setRed(int red) { _value = (_value & 0xFF00FFFF) | ((red & 0xFF) << 16); } // -------------------------------------------------------------------------- /** * Return the red component, in the range [0,255]. * * @return the red component, in the range [0,255]. */ public int getRed() { return (_value >> 16) & 0xFF; } // -------------------------------------------------------------------------- /** * Set the green component, in the range [0,255]. * * @param green the green component, in the range [0,255]. */ public void setGreen(int green) { _value = (_value & 0xFFFF00FF) | ((green & 0xFF) << 8); } // -------------------------------------------------------------------------- /** * Return the green component, in the range [0,255]. * * @return the green component, in the range [0,255]. */ public int getGreen() { return (_value >> 8) & 0xFF; } // -------------------------------------------------------------------------- /** * Set the blue component, in the range [0,255]. * * @param blue the blue component, in the range [0,255]. */ public void setBlue(int blue) { _value = (_value & 0xFFFFFF00) | (blue & 0xFF); } // -------------------------------------------------------------------------- /** * Return the blue component, in the range [0,255]. * * @return the blue component, in the range [0,255]. */ public int getBlue() { return _value & 0xFF; } // -------------------------------------------------------------------------- /* * The integer value, with A, R, G and B components in the most significant to * least significant octets, respectively. */ protected int _value; /** A bit mask selecting only the R, G and B components. */ private static final int RGB_BITS = 0x00FFFFFF; /** A bit mask selecting only the alpha component. */ private static final int ALPHA_BITS = ~RGB_BITS; } // class ARGB
.version 52 0 .class public super ARGB .super java/lang/Object .field protected _value I .field private static final RGB_BITS I = 16777215 .field private static final ALPHA_BITS I = -16777216 .method public <init> : ()V .code stack 2 locals 1 L0: aload_0 L1: iconst_m1 L2: invokespecial Method ARGB <init> (I)V L5: return L6: .linenumbertable L0 20 L5 21 .end linenumbertable .end code .end method .method public <init> : (IIII)V .code stack 4 locals 5 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: iload_1 L6: sipush 255 L9: iand L10: bipush 24 L12: ishl L13: iload_2 L14: sipush 255 L17: iand L18: bipush 16 L20: ishl L21: ior L22: iload_3 L23: sipush 255 L26: iand L27: bipush 8 L29: ishl L30: ior L31: iload 4 L33: sipush 255 L36: iand L37: ior L38: putfield Field ARGB _value I L41: return L42: .linenumbertable L0 33 L4 34 L41 36 .end linenumbertable .end code .end method .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 ARGB _value I L9: return L10: .linenumbertable L0 46 L4 47 L9 48 .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 ARGB _value I L5: return L6: .linenumbertable L0 59 L5 60 .end linenumbertable .end code .end method .method public getValue : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field ARGB _value I L4: ireturn L5: .linenumbertable L0 72 .end linenumbertable .end code .end method .method public setAlpha : (I)V .code stack 4 locals 2 L0: aload_0 L1: aload_0 L2: getfield Field ARGB _value I L5: ldc 16777215 L7: iand L8: iload_1 L9: sipush 255 L12: iand L13: bipush 24 L15: ishl L16: ior L17: putfield Field ARGB _value I L20: return L21: .linenumbertable L0 83 L20 84 .end linenumbertable .end code .end method .method public getAlpha : ()I .code stack 2 locals 1 L0: aload_0 L1: getfield Field ARGB _value I L4: bipush 24 L6: ishr L7: sipush 255 L10: iand L11: ireturn L12: .linenumbertable L0 94 .end linenumbertable .end code .end method .method public setRGB : (I)V .code stack 4 locals 2 L0: aload_0 L1: aload_0 L2: getfield Field ARGB _value I L5: ldc -16777216 L7: iand L8: iload_1 L9: ldc 16777215 L11: iand L12: ior L13: putfield Field ARGB _value I L16: return L17: .linenumbertable L0 105 L16 106 .end linenumbertable .end code .end method .method public getRGB : ()I .code stack 2 locals 1 L0: aload_0 L1: getfield Field ARGB _value I L4: ldc 16777215 L6: iand L7: ireturn L8: .linenumbertable L0 116 .end linenumbertable .end code .end method .method public setRed : (I)V .code stack 4 locals 2 L0: aload_0 L1: aload_0 L2: getfield Field ARGB _value I L5: ldc -16711681 L7: iand L8: iload_1 L9: sipush 255 L12: iand L13: bipush 16 L15: ishl L16: ior L17: putfield Field ARGB _value I L20: return L21: .linenumbertable L0 127 L20 128 .end linenumbertable .end code .end method .method public getRed : ()I .code stack 2 locals 1 L0: aload_0 L1: getfield Field ARGB _value I L4: bipush 16 L6: ishr L7: sipush 255 L10: iand L11: ireturn L12: .linenumbertable L0 138 .end linenumbertable .end code .end method .method public setGreen : (I)V .code stack 4 locals 2 L0: aload_0 L1: aload_0 L2: getfield Field ARGB _value I L5: ldc -65281 L7: iand L8: iload_1 L9: sipush 255 L12: iand L13: bipush 8 L15: ishl L16: ior L17: putfield Field ARGB _value I L20: return L21: .linenumbertable L0 149 L20 150 .end linenumbertable .end code .end method .method public getGreen : ()I .code stack 2 locals 1 L0: aload_0 L1: getfield Field ARGB _value I L4: bipush 8 L6: ishr L7: sipush 255 L10: iand L11: ireturn L12: .linenumbertable L0 160 .end linenumbertable .end code .end method .method public setBlue : (I)V .code stack 4 locals 2 L0: aload_0 L1: aload_0 L2: getfield Field ARGB _value I L5: sipush -256 L8: iand L9: iload_1 L10: sipush 255 L13: iand L14: ior L15: putfield Field ARGB _value I L18: return L19: .linenumbertable L0 171 L18 172 .end linenumbertable .end code .end method .method public getBlue : ()I .code stack 2 locals 1 L0: aload_0 L1: getfield Field ARGB _value I L4: sipush 255 L7: iand L8: ireturn L9: .linenumbertable L0 182 .end linenumbertable .end code .end method .sourcefile 'ARGB.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 07: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.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class ARGB_ESTest extends ARGB_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { ARGB aRGB0 = new ARGB(); aRGB0.setRed((-43994)); assertEquals(38, aRGB0.getRed()); } @Test(timeout = 4000) public void test01() throws Throwable { ARGB aRGB0 = new ARGB(0); int int0 = aRGB0.getValue(); assertEquals(0, int0); } @Test(timeout = 4000) public void test02() throws Throwable { ARGB aRGB0 = new ARGB((-31288), (-81554), 24, (-81554)); aRGB0._value = 1; int int0 = aRGB0.getValue(); assertEquals(1, int0); } @Test(timeout = 4000) public void test03() throws Throwable { ARGB aRGB0 = new ARGB(0); int int0 = aRGB0.getRed(); assertEquals(0, int0); assertEquals(0, aRGB0.getValue()); } @Test(timeout = 4000) public void test04() throws Throwable { ARGB aRGB0 = new ARGB((-31288), (-81554), 24, (-81554)); aRGB0._value = 1; aRGB0.setBlue(0); int int0 = aRGB0.getRGB(); assertEquals(0, aRGB0.getValue()); assertEquals(0, int0); } @Test(timeout = 4000) public void test05() throws Throwable { ARGB aRGB0 = new ARGB(); assertEquals(255, aRGB0.getAlpha()); aRGB0._value = 0; int int0 = aRGB0.getBlue(); assertEquals(0, int0); } @Test(timeout = 4000) public void test06() throws Throwable { ARGB aRGB0 = new ARGB(); aRGB0.setAlpha(0); int int0 = aRGB0.getAlpha(); assertEquals(16777215, aRGB0.getValue()); assertEquals(0, int0); } @Test(timeout = 4000) public void test07() throws Throwable { ARGB aRGB0 = new ARGB(0); int int0 = aRGB0.getGreen(); assertEquals(0, int0); assertEquals(0, aRGB0.getRGB()); } @Test(timeout = 4000) public void test08() throws Throwable { ARGB aRGB0 = new ARGB((-31288), (-81554), 24, (-81554)); aRGB0.setGreen(1); assertEquals(1, aRGB0.getGreen()); } @Test(timeout = 4000) public void test09() throws Throwable { ARGB aRGB0 = new ARGB(); int int0 = aRGB0.getRed(); assertEquals(255, int0); assertEquals(16777215, aRGB0.getRGB()); } @Test(timeout = 4000) public void test10() throws Throwable { ARGB aRGB0 = new ARGB((-31288), (-81554), 24, (-81554)); int int0 = aRGB0.getValue(); assertEquals((-932308882), int0); } @Test(timeout = 4000) public void test11() throws Throwable { ARGB aRGB0 = new ARGB((-31288), (-81554), 24, (-81554)); aRGB0.setAlpha((-31288)); assertEquals((-932308882), aRGB0.getValue()); } @Test(timeout = 4000) public void test12() throws Throwable { ARGB aRGB0 = new ARGB((-31288), (-81554), 24, (-81554)); int int0 = aRGB0.getRGB(); assertEquals((-932308882), aRGB0.getValue()); assertEquals(7215214, int0); } @Test(timeout = 4000) public void test13() throws Throwable { ARGB aRGB0 = new ARGB((-31288), (-81554), 24, (-81554)); aRGB0.setBlue(1); assertEquals(1, aRGB0.getBlue()); } @Test(timeout = 4000) public void test14() throws Throwable { ARGB aRGB0 = new ARGB((-31288), (-81554), 24, (-81554)); int int0 = aRGB0.getBlue(); assertEquals((-932308882), aRGB0.getValue()); assertEquals(110, int0); } @Test(timeout = 4000) public void test15() throws Throwable { ARGB aRGB0 = new ARGB(); assertEquals((-1), aRGB0.getValue()); aRGB0.setValue(0); assertEquals(0, aRGB0.getRGB()); } @Test(timeout = 4000) public void test16() throws Throwable { ARGB aRGB0 = new ARGB((-31288), (-81554), 24, (-81554)); int int0 = aRGB0.getGreen(); assertEquals(24, int0); assertEquals((-932308882), aRGB0.getValue()); } @Test(timeout = 4000) public void test17() throws Throwable { ARGB aRGB0 = new ARGB((-31288), (-81554), 24, (-81554)); aRGB0.setRGB((-31288)); assertEquals(200, aRGB0.getBlue()); } @Test(timeout = 4000) public void test18() throws Throwable { ARGB aRGB0 = new ARGB(); int int0 = aRGB0.getAlpha(); assertEquals(255, int0); assertEquals((-1), aRGB0.getValue()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 07: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 ARGB_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 = "ARGB"; 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/tmpvphv8z41"); 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(ARGB_ESTest_scaffolding.class.getClassLoader() , "ARGB" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ARGB_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ARGB" ); } }
1,706
InvalidDatafileFormat
// Copyright (C) 2000-2003 Tuma Solutions, LLC // Process Dashboard - Data Automation Tool for high-maturity processes // // 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. // // Additional permissions also apply; see the README-license.txt // file in the project root directory for more information. // // 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/>. // // The author(s) may be contacted at: // [email protected] // [email protected] public class InvalidDatafileFormat extends Exception { public InvalidDatafileFormat(String msg) { super(msg); } }
.version 52 0 .class public super InvalidDatafileFormat .super java/lang/Exception .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 27 .end linenumbertable .end code .end method .sourcefile 'InvalidDatafileFormat.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 11:00:18 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 InvalidDatafileFormat_ESTest extends InvalidDatafileFormat_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { InvalidDatafileFormat invalidDatafileFormat0 = new InvalidDatafileFormat("rjLhs"); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 11:00:18 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 InvalidDatafileFormat_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 = "InvalidDatafileFormat"; 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/tmpa3n38rhp"); 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(InvalidDatafileFormat_ESTest_scaffolding.class.getClassLoader() , "InvalidDatafileFormat" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(InvalidDatafileFormat_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "InvalidDatafileFormat" ); } }
1,707
HexDump
/* * 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. */ public class HexDump { private static final char[] HEX_DIGITS = { '0', '1', '2', '3', '4', '5', '6', '7', '8', '9', 'A', 'B', 'C', 'D', 'E', 'F' }; public static String dumpHexString(byte[] array) { return dumpHexString(array, 0, array.length); } public static String dumpHexString(byte[] array, int offset, int length) { StringBuilder result = new StringBuilder(); byte[] line = new byte[16]; int lineIndex = 0; result.append("\n0x"); result.append(toHexString(offset)); for (int i = offset; i < offset + length; i++) { if (lineIndex == 16) { result.append(" "); for (int j = 0; j < 16; j++) { if (line[j] > ' ' && line[j] < '~') { result.append(new String(line, j, 1)); } else { result.append("."); } } result.append("\n0x"); result.append(toHexString(i)); lineIndex = 0; } byte b = array[i]; result.append(" "); result.append(HEX_DIGITS[(b >>> 4) & 0x0F]); result.append(HEX_DIGITS[b & 0x0F]); line[lineIndex++] = b; } if (lineIndex != 16) { int count = (16 - lineIndex) * 3; count++; for (int i = 0; i < count; i++) { result.append(" "); } for (int i = 0; i < lineIndex; i++) { if (line[i] > ' ' && line[i] < '~') { result.append(new String(line, i, 1)); } else { result.append("."); } } } return result.toString(); } public static String toHexString(byte b) { return toHexString(toByteArray(b)); } public static String toHexString(byte[] array) { return toHexString(array, 0, array.length); } public static String toHexString(byte[] array, int offset, int length) { char[] buf = new char[length * 2]; int bufIndex = 0; for (int i = offset; i < offset + length; i++) { byte b = array[i]; buf[bufIndex++] = HEX_DIGITS[(b >>> 4) & 0x0F]; buf[bufIndex++] = HEX_DIGITS[b & 0x0F]; } return new String(buf); } public static String toHexString(int i) { return toHexString(toByteArray(i)); } public static byte[] toByteArray(byte b) { byte[] array = new byte[1]; array[0] = b; return array; } public static byte[] toByteArray(int i) { byte[] array = new byte[4]; array[3] = (byte) (i & 0xFF); array[2] = (byte) ((i >> 8) & 0xFF); array[1] = (byte) ((i >> 16) & 0xFF); array[0] = (byte) ((i >> 24) & 0xFF); return array; } private static int toByte(char c) { if (c >= '0' && c <= '9') return (c - '0'); if (c >= 'A' && c <= 'F') return (c - 'A' + 10); if (c >= 'a' && c <= 'f') return (c - 'a' + 10); throw new RuntimeException("Invalid hex char '" + c + "'"); } public static byte[] hexStringToByteArray(String hexString) { int length = hexString.length(); byte[] buffer = new byte[length / 2]; for (int i = 0; i < length; i += 2) { buffer[i / 2] = (byte) ((toByte(hexString.charAt(i)) << 4) | toByte(hexString.charAt(i + 1))); } return buffer; } /* * Convert byte[] to hex string.ÕâÀïÎÒÃÇ¿ÉÒÔ½«byteת»»³Éint£¬È»ºóÀûÓÃInteger.toHexString(int)À´×ª»»³É16½øÖÆ×Ö·û´®¡£ * @param src byte[] data * @return hex string */ public static String bytesToHexString(byte[] src) { StringBuilder stringBuilder = new StringBuilder(""); if (src == null || src.length <= 0) { return null; } for (int i = 0; i < src.length; i++) { int v = src[i] & 0xFF; String hv = Integer.toHexString(v); if (hv.length() < 2) { stringBuilder.append(0); } stringBuilder.append(hv); } return stringBuilder.toString(); } /** * Convert hex string to byte[] * * @param hexString the hex string * @return byte[] */ public static byte[] hexStringToBytes(String hexString) { if (hexString == null || hexString.equals("")) { return null; } hexString = hexString.toUpperCase(); int length = hexString.length() / 2; char[] hexChars = hexString.toCharArray(); byte[] d = new byte[length]; for (int i = 0; i < length; i++) { int pos = i * 2; d[i] = (byte) (charToByte(hexChars[pos]) << 4 | charToByte(hexChars[pos + 1])); } return d; } /** * Convert char to byte * * @param c char * @return byte */ private static byte charToByte(char c) { return (byte) "0123456789ABCDEF".indexOf(c); } }
.version 52 0 .class public super HexDump .super java/lang/Object .field private static final HEX_DIGITS [C .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 20 .end linenumbertable .end code .end method .method public static dumpHexString : ([B)Ljava/lang/String; .code stack 3 locals 1 L0: aload_0 L1: iconst_0 L2: aload_0 L3: arraylength L4: invokestatic Method HexDump dumpHexString ([BII)Ljava/lang/String; L7: areturn L8: .linenumbertable L0 26 .end linenumbertable .end code .end method .method public static dumpHexString : ([BII)Ljava/lang/String; .code stack 6 locals 8 L0: new java/lang/StringBuilder L3: dup L4: invokespecial Method java/lang/StringBuilder <init> ()V L7: astore_3 L8: bipush 16 L10: newarray byte L12: astore 4 L14: iconst_0 L15: istore 5 L17: aload_3 L18: ldc '\n0x' L20: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L23: pop L24: aload_3 L25: iload_1 L26: invokestatic Method HexDump toHexString (I)Ljava/lang/String; L29: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L32: pop L33: iload_1 L34: istore 6 .stack full locals Object [B Integer Integer Object java/lang/StringBuilder Object [B Integer Integer stack .end stack L36: iload 6 L38: iload_1 L39: iload_2 L40: iadd L41: if_icmpge L200 L44: iload 5 L46: bipush 16 L48: if_icmpne L141 L51: aload_3 L52: ldc ' ' L54: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L57: pop L58: iconst_0 L59: istore 7 .stack append Integer L61: iload 7 L63: bipush 16 L65: if_icmpge L121 L68: aload 4 L70: iload 7 L72: baload L73: bipush 32 L75: if_icmple L108 L78: aload 4 L80: iload 7 L82: baload L83: bipush 126 L85: if_icmpge L108 L88: aload_3 L89: new java/lang/String L92: dup L93: aload 4 L95: iload 7 L97: iconst_1 L98: invokespecial Method java/lang/String <init> ([BII)V L101: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L104: pop L105: goto L115 .stack same L108: aload_3 L109: ldc '.' L111: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L114: pop .stack same L115: iinc 7 1 L118: goto L61 .stack chop 1 L121: aload_3 L122: ldc '\n0x' L124: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L127: pop L128: aload_3 L129: iload 6 L131: invokestatic Method HexDump toHexString (I)Ljava/lang/String; L134: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L137: pop L138: iconst_0 L139: istore 5 .stack same L141: aload_0 L142: iload 6 L144: baload L145: istore 7 L147: aload_3 L148: ldc ' ' L150: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L153: pop L154: aload_3 L155: getstatic Field HexDump HEX_DIGITS [C L158: iload 7 L160: iconst_4 L161: iushr L162: bipush 15 L164: iand L165: caload L166: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L169: pop L170: aload_3 L171: getstatic Field HexDump HEX_DIGITS [C L174: iload 7 L176: bipush 15 L178: iand L179: caload L180: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L183: pop L184: aload 4 L186: iload 5 L188: iinc 5 1 L191: iload 7 L193: bastore L194: iinc 6 1 L197: goto L36 .stack chop 1 L200: iload 5 L202: bipush 16 L204: if_icmpeq L305 L207: bipush 16 L209: iload 5 L211: isub L212: iconst_3 L213: imul L214: istore 6 L216: iinc 6 1 L219: iconst_0 L220: istore 7 .stack append Integer Integer L222: iload 7 L224: iload 6 L226: if_icmpge L242 L229: aload_3 L230: ldc ' ' L232: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L235: pop L236: iinc 7 1 L239: goto L222 .stack chop 1 L242: iconst_0 L243: istore 7 .stack append Integer L245: iload 7 L247: iload 5 L249: if_icmpge L305 L252: aload 4 L254: iload 7 L256: baload L257: bipush 32 L259: if_icmple L292 L262: aload 4 L264: iload 7 L266: baload L267: bipush 126 L269: if_icmpge L292 L272: aload_3 L273: new java/lang/String L276: dup L277: aload 4 L279: iload 7 L281: iconst_1 L282: invokespecial Method java/lang/String <init> ([BII)V L285: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L288: pop L289: goto L299 .stack same L292: aload_3 L293: ldc '.' L295: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L298: pop .stack same L299: iinc 7 1 L302: goto L245 .stack chop 2 L305: aload_3 L306: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L309: areturn L310: .linenumbertable L0 31 L8 33 L14 34 L17 36 L24 37 L33 39 L44 41 L51 43 L58 45 L68 47 L88 49 L108 53 L115 45 L121 57 L128 58 L138 59 L141 62 L147 63 L154 64 L170 65 L184 67 L194 39 L200 70 L207 72 L216 73 L219 74 L229 76 L236 74 L242 79 L252 81 L272 83 L292 87 L299 79 L305 92 .end linenumbertable .end code .end method .method public static toHexString : (B)Ljava/lang/String; .code stack 1 locals 1 L0: iload_0 L1: invokestatic Method HexDump toByteArray (B)[B L4: invokestatic Method HexDump toHexString ([B)Ljava/lang/String; L7: areturn L8: .linenumbertable L0 97 .end linenumbertable .end code .end method .method public static toHexString : ([B)Ljava/lang/String; .code stack 3 locals 1 L0: aload_0 L1: iconst_0 L2: aload_0 L3: arraylength L4: invokestatic Method HexDump toHexString ([BII)Ljava/lang/String; L7: areturn L8: .linenumbertable L0 102 .end linenumbertable .end code .end method .method public static toHexString : ([BII)Ljava/lang/String; .code stack 5 locals 7 L0: iload_2 L1: iconst_2 L2: imul L3: newarray char L5: astore_3 L6: iconst_0 L7: istore 4 L9: iload_1 L10: istore 5 .stack append Object [C Integer Integer L12: iload 5 L14: iload_1 L15: iload_2 L16: iadd L17: if_icmpge L66 L20: aload_0 L21: iload 5 L23: baload L24: istore 6 L26: aload_3 L27: iload 4 L29: iinc 4 1 L32: getstatic Field HexDump HEX_DIGITS [C L35: iload 6 L37: iconst_4 L38: iushr L39: bipush 15 L41: iand L42: caload L43: castore L44: aload_3 L45: iload 4 L47: iinc 4 1 L50: getstatic Field HexDump HEX_DIGITS [C L53: iload 6 L55: bipush 15 L57: iand L58: caload L59: castore L60: iinc 5 1 L63: goto L12 .stack chop 1 L66: new java/lang/String L69: dup L70: aload_3 L71: invokespecial Method java/lang/String <init> ([C)V L74: areturn L75: .linenumbertable L0 107 L6 109 L9 110 L20 112 L26 113 L44 114 L60 110 L66 117 .end linenumbertable .end code .end method .method public static toHexString : (I)Ljava/lang/String; .code stack 1 locals 1 L0: iload_0 L1: invokestatic Method HexDump toByteArray (I)[B L4: invokestatic Method HexDump toHexString ([B)Ljava/lang/String; L7: areturn L8: .linenumbertable L0 122 .end linenumbertable .end code .end method .method public static toByteArray : (B)[B .code stack 3 locals 2 L0: iconst_1 L1: newarray byte L3: astore_1 L4: aload_1 L5: iconst_0 L6: iload_0 L7: bastore L8: aload_1 L9: areturn L10: .linenumbertable L0 127 L4 128 L8 129 .end linenumbertable .end code .end method .method public static toByteArray : (I)[B .code stack 4 locals 2 L0: iconst_4 L1: newarray byte L3: astore_1 L4: aload_1 L5: iconst_3 L6: iload_0 L7: sipush 255 L10: iand L11: i2b L12: bastore L13: aload_1 L14: iconst_2 L15: iload_0 L16: bipush 8 L18: ishr L19: sipush 255 L22: iand L23: i2b L24: bastore L25: aload_1 L26: iconst_1 L27: iload_0 L28: bipush 16 L30: ishr L31: sipush 255 L34: iand L35: i2b L36: bastore L37: aload_1 L38: iconst_0 L39: iload_0 L40: bipush 24 L42: ishr L43: sipush 255 L46: iand L47: i2b L48: bastore L49: aload_1 L50: areturn L51: .linenumbertable L0 134 L4 136 L13 137 L25 138 L37 139 L49 141 .end linenumbertable .end code .end method .method private static toByte : (C)I .code stack 4 locals 1 L0: iload_0 L1: bipush 48 L3: if_icmplt L17 L6: iload_0 L7: bipush 57 L9: if_icmpgt L17 L12: iload_0 L13: bipush 48 L15: isub L16: ireturn .stack same L17: iload_0 L18: bipush 65 L20: if_icmplt L37 L23: iload_0 L24: bipush 70 L26: if_icmpgt L37 L29: iload_0 L30: bipush 65 L32: isub L33: bipush 10 L35: iadd L36: ireturn .stack same L37: iload_0 L38: bipush 97 L40: if_icmplt L57 L43: iload_0 L44: bipush 102 L46: if_icmpgt L57 L49: iload_0 L50: bipush 97 L52: isub L53: bipush 10 L55: iadd L56: ireturn .stack same L57: new java/lang/RuntimeException L60: dup L61: new java/lang/StringBuilder L64: dup L65: invokespecial Method java/lang/StringBuilder <init> ()V L68: ldc "Invalid hex char '" L70: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L73: iload_0 L74: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L77: ldc "'" L79: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L82: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L85: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V L88: athrow L89: .linenumbertable L0 146 L17 147 L37 148 L57 150 .end linenumbertable .end code .end method .method public static hexStringToByteArray : (Ljava/lang/String;)[B .code stack 6 locals 4 L0: aload_0 L1: invokevirtual Method java/lang/String length ()I L4: istore_1 L5: iload_1 L6: iconst_2 L7: idiv L8: newarray byte L10: astore_2 L11: iconst_0 L12: istore_3 .stack append Integer Object [B Integer L13: iload_3 L14: iload_1 L15: if_icmpge L51 L18: aload_2 L19: iload_3 L20: iconst_2 L21: idiv L22: aload_0 L23: iload_3 L24: invokevirtual Method java/lang/String charAt (I)C L27: invokestatic Method HexDump toByte (C)I L30: iconst_4 L31: ishl L32: aload_0 L33: iload_3 L34: iconst_1 L35: iadd L36: invokevirtual Method java/lang/String charAt (I)C L39: invokestatic Method HexDump toByte (C)I L42: ior L43: i2b L44: bastore L45: iinc 3 2 L48: goto L13 .stack chop 1 L51: aload_2 L52: areturn L53: .linenumbertable L0 155 L5 156 L11 158 L18 160 L45 158 L51 163 .end linenumbertable .end code .end method .method public static bytesToHexString : ([B)Ljava/lang/String; .code stack 3 locals 5 L0: new java/lang/StringBuilder L3: dup L4: ldc '' L6: invokespecial Method java/lang/StringBuilder <init> (Ljava/lang/String;)V L9: astore_1 L10: aload_0 L11: ifnull L19 L14: aload_0 L15: arraylength L16: ifgt L21 .stack append Object java/lang/StringBuilder L19: aconst_null L20: areturn .stack same L21: iconst_0 L22: istore_2 .stack append Integer L23: iload_2 L24: aload_0 L25: arraylength L26: if_icmpge L71 L29: aload_0 L30: iload_2 L31: baload L32: sipush 255 L35: iand L36: istore_3 L37: iload_3 L38: invokestatic Method java/lang/Integer toHexString (I)Ljava/lang/String; L41: astore 4 L43: aload 4 L45: invokevirtual Method java/lang/String length ()I L48: iconst_2 L49: if_icmpge L58 L52: aload_1 L53: iconst_0 L54: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L57: pop .stack append Integer Object java/lang/String L58: aload_1 L59: aload 4 L61: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L64: pop L65: iinc 2 1 L68: goto L23 .stack chop 3 L71: aload_1 L72: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L75: areturn L76: .linenumbertable L0 172 L10 173 L19 174 L21 176 L29 177 L37 178 L43 179 L52 180 L58 182 L65 176 L71 184 .end linenumbertable .end code .end method .method public static hexStringToBytes : (Ljava/lang/String;)[B .code stack 6 locals 6 L0: aload_0 L1: ifnull L13 L4: aload_0 L5: ldc '' L7: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L10: ifeq L15 .stack same L13: aconst_null L14: areturn .stack same L15: aload_0 L16: invokevirtual Method java/lang/String toUpperCase ()Ljava/lang/String; L19: astore_0 L20: aload_0 L21: invokevirtual Method java/lang/String length ()I L24: iconst_2 L25: idiv L26: istore_1 L27: aload_0 L28: invokevirtual Method java/lang/String toCharArray ()[C L31: astore_2 L32: iload_1 L33: newarray byte L35: astore_3 L36: iconst_0 L37: istore 4 .stack full locals Object java/lang/String Integer Object [C Object [B Integer stack .end stack L39: iload 4 L41: iload_1 L42: if_icmpge L81 L45: iload 4 L47: iconst_2 L48: imul L49: istore 5 L51: aload_3 L52: iload 4 L54: aload_2 L55: iload 5 L57: caload L58: invokestatic Method HexDump charToByte (C)B L61: iconst_4 L62: ishl L63: aload_2 L64: iload 5 L66: iconst_1 L67: iadd L68: caload L69: invokestatic Method HexDump charToByte (C)B L72: ior L73: i2b L74: bastore L75: iinc 4 1 L78: goto L39 .stack chop 1 L81: aload_3 L82: areturn L83: .linenumbertable L0 192 L13 193 L15 195 L20 196 L27 197 L32 198 L36 199 L45 200 L51 201 L75 199 L81 203 .end linenumbertable .end code .end method .method private static charToByte : (C)B .code stack 2 locals 1 L0: ldc '0123456789ABCDEF' L2: iload_0 L3: invokevirtual Method java/lang/String indexOf (I)I L6: i2b L7: ireturn L8: .linenumbertable L0 211 .end linenumbertable .end code .end method .method static <clinit> : ()V .code stack 4 locals 0 L0: bipush 16 L2: newarray char L4: dup L5: iconst_0 L6: bipush 48 L8: castore L9: dup L10: iconst_1 L11: bipush 49 L13: castore L14: dup L15: iconst_2 L16: bipush 50 L18: castore L19: dup L20: iconst_3 L21: bipush 51 L23: castore L24: dup L25: iconst_4 L26: bipush 52 L28: castore L29: dup L30: iconst_5 L31: bipush 53 L33: castore L34: dup L35: bipush 6 L37: bipush 54 L39: castore L40: dup L41: bipush 7 L43: bipush 55 L45: castore L46: dup L47: bipush 8 L49: bipush 56 L51: castore L52: dup L53: bipush 9 L55: bipush 57 L57: castore L58: dup L59: bipush 10 L61: bipush 65 L63: castore L64: dup L65: bipush 11 L67: bipush 66 L69: castore L70: dup L71: bipush 12 L73: bipush 67 L75: castore L76: dup L77: bipush 13 L79: bipush 68 L81: castore L82: dup L83: bipush 14 L85: bipush 69 L87: castore L88: dup L89: bipush 15 L91: bipush 70 L93: castore L94: putstatic Field HexDump HEX_DIGITS [C L97: return L98: .linenumbertable L0 22 .end linenumbertable .end code .end method .sourcefile 'HexDump.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 10:58:16 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 HexDump_ESTest extends HexDump_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { byte[] byteArray0 = HexDump.toByteArray((-1)); byte[] byteArray1 = HexDump.hexStringToBytes("\n0xFFFFFFFF "); assertNotNull(byteArray1); assertEquals(30, byteArray1.length); String string0 = HexDump.dumpHexString(byteArray0, 12, 0); assertArrayEquals(new byte[] {(byte) (-1), (byte) (-1), (byte) (-1), (byte) (-1)}, byteArray0); assertEquals("\n0x0000000C ", string0); String string1 = HexDump.toHexString((byte)99); assertEquals("63", string1); } @Test(timeout = 4000) public void test01() throws Throwable { byte[] byteArray0 = new byte[9]; byteArray0[1] = (byte) (-43); byteArray0[3] = (byte) (-122); byteArray0[5] = (byte)40; byteArray0[7] = (byte)21; String string0 = HexDump.bytesToHexString(byteArray0); assertEquals("00d500860028001500", string0); assertNotNull(string0); HexDump.bytesToHexString((byte[]) null); byte[] byteArray1 = HexDump.toByteArray((byte) (-42)); assertArrayEquals(new byte[] {(byte) (-42)}, byteArray1); } @Test(timeout = 4000) public void test02() throws Throwable { byte[] byteArray0 = new byte[9]; HexDump.toHexString(byteArray0); HexDump.hexStringToByteArray("8009306700EB00430B"); HexDump.hexStringToBytes(""); HexDump.bytesToHexString(byteArray0); // Undeclared exception! try { HexDump.toHexString((byte[]) null, 64587, (int) (byte) (-21)); fail("Expecting exception: NegativeArraySizeException"); } catch(NegativeArraySizeException e) { // // no message in exception (getMessage() returned null) // verifyException("HexDump", e); } } @Test(timeout = 4000) public void test03() throws Throwable { HexDump.hexStringToByteArray("0F"); HexDump.toHexString(0); // Undeclared exception! try { HexDump.hexStringToByteArray("'A0q[1C[2(v"); fail("Expecting exception: RuntimeException"); } catch(RuntimeException e) { // // Invalid hex char ''' // verifyException("HexDump", e); } } @Test(timeout = 4000) public void test04() throws Throwable { // Undeclared exception! try { HexDump.hexStringToByteArray("]/+?63fvJ1}c"); fail("Expecting exception: RuntimeException"); } catch(RuntimeException e) { // // Invalid hex char ']' // verifyException("HexDump", e); } } @Test(timeout = 4000) public void test05() throws Throwable { byte[] byteArray0 = new byte[4]; // Undeclared exception! try { HexDump.dumpHexString(byteArray0, (-94358), (int) (byte)2); fail("Expecting exception: ArrayIndexOutOfBoundsException"); } catch(ArrayIndexOutOfBoundsException e) { // // no message in exception (getMessage() returned null) // } } @Test(timeout = 4000) public void test06() throws Throwable { byte[] byteArray0 = new byte[2]; String string0 = HexDump.dumpHexString(byteArray0, (int) (byte)10, (int) (byte) (-82)); assertEquals("\n0x0000000A ", string0); HexDump.toHexString(byteArray0); byte[] byteArray1 = HexDump.hexStringToBytes("0a"); assertNotNull(byteArray1); assertArrayEquals(new byte[] {(byte)10}, byteArray1); } @Test(timeout = 4000) public void test07() throws Throwable { byte[] byteArray0 = new byte[0]; String string0 = HexDump.toHexString(byteArray0); assertEquals("", string0); } @Test(timeout = 4000) public void test08() throws Throwable { byte[] byteArray0 = HexDump.toByteArray((byte)24); HexDump.toHexString(byteArray0, 0, (int) (byte)0); assertArrayEquals(new byte[] {(byte)24}, byteArray0); } @Test(timeout = 4000) public void test09() throws Throwable { byte[] byteArray0 = HexDump.hexStringToBytes("'"); // Undeclared exception! try { HexDump.toHexString(byteArray0, (int) (byte)92, 24502); fail("Expecting exception: ArrayIndexOutOfBoundsException"); } catch(ArrayIndexOutOfBoundsException e) { // // 92 // verifyException("HexDump", e); } } @Test(timeout = 4000) public void test10() throws Throwable { byte[] byteArray0 = HexDump.toByteArray((byte)24); String string0 = HexDump.dumpHexString(byteArray0, (int) (byte)0, (int) (byte)0); assertEquals("\n0x00000000 ", string0); assertArrayEquals(new byte[] {(byte)24}, byteArray0); } @Test(timeout = 4000) public void test11() throws Throwable { byte[] byteArray0 = HexDump.toByteArray((byte)24); String string0 = HexDump.toHexString(byteArray0); assertEquals("18", string0); } @Test(timeout = 4000) public void test12() throws Throwable { byte[] byteArray0 = new byte[0]; HexDump.bytesToHexString(byteArray0); byte[] byteArray1 = new byte[4]; // Undeclared exception! try { HexDump.dumpHexString(byteArray1, (int) (byte)51, (int) (byte)3); fail("Expecting exception: ArrayIndexOutOfBoundsException"); } catch(ArrayIndexOutOfBoundsException e) { // // no message in exception (getMessage() returned null) // } } @Test(timeout = 4000) public void test13() throws Throwable { byte[] byteArray0 = HexDump.hexStringToByteArray("8009306700EB00430B"); assertArrayEquals(new byte[] {(byte) (-128), (byte)9, (byte)48, (byte)103, (byte)0, (byte) (-21), (byte)0, (byte)67, (byte)11}, byteArray0); assertEquals(9, byteArray0.length); } @Test(timeout = 4000) public void test14() throws Throwable { byte[] byteArray0 = new byte[9]; byteArray0[2] = (byte)48; String string0 = HexDump.dumpHexString(byteArray0); assertEquals("\n0x00000000 00 00 30 00 00 00 00 00 00 ..0......", string0); } @Test(timeout = 4000) public void test15() throws Throwable { HexDump hexDump0 = new HexDump(); } @Test(timeout = 4000) public void test16() throws Throwable { byte[] byteArray0 = HexDump.hexStringToByteArray(""); String string0 = HexDump.dumpHexString(byteArray0); assertEquals("\n0x00000000 ", string0); } @Test(timeout = 4000) public void test17() throws Throwable { byte[] byteArray0 = HexDump.toByteArray((byte)24); String string0 = HexDump.dumpHexString(byteArray0); assertEquals("\n0x00000000 18 .", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 10:58: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; @EvoSuiteClassExclude public class HexDump_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 = "HexDump"; 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/tmp53cugt3j"); 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(HexDump_ESTest_scaffolding.class.getClassLoader() , "HexDump" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(HexDump_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "HexDump" ); } }
1,708
Solution
/* Поиск данных внутри файла Считать с консоли имя файла. Найти в файле информацию, которая относится к заданному id, и вывести ее на экран в виде, в котором она записана в файле. Программа запускается с одним параметром: id (int). Закрыть потоки. В файле данные разделены пробелом и хранятся в следующей последовательности: id productName price quantity где id — int. productName — название товара, может содержать пробелы, String. price — цена, double. quantity — количество, int. Информация по каждому товару хранится в отдельной строке. */ public class Solution { public static void main(String[] args) {} }
.version 52 0 .class public super Solution .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 20 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 0 locals 1 L0: return L1: .linenumbertable L0 22 .end linenumbertable .end code .end method .sourcefile 'Solution.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 00:47: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 Solution_ESTest extends Solution_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Solution.main((String[]) null); } @Test(timeout = 4000) public void test1() throws Throwable { Solution solution0 = new Solution(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 00:47: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 Solution_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 = "Solution"; 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/tmpasgm3wh_"); 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(Solution_ESTest_scaffolding.class.getClassLoader() , "Solution" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Solution_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Solution" ); } }
1,709
ImmutablePOJO
/** * Copyright 2009-2020 the original author or authors. * * <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. */ import java.io.Serializable; public class ImmutablePOJO implements Serializable { private static final long serialVersionUID = -7086198701202598455L; private final Integer id; private final String description; public ImmutablePOJO(Integer id, String description) { this.id = id; this.description = description; } public String getDescription() { return description; } public Integer getId() { return id; } }
.version 52 0 .class public super ImmutablePOJO .super java/lang/Object .implements java/io/Serializable .field private static final serialVersionUID J = -7086198701202598455L .field private final id Ljava/lang/Integer; .field private final description Ljava/lang/String; .method public <init> : (Ljava/lang/Integer;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 ImmutablePOJO id Ljava/lang/Integer; L9: aload_0 L10: aload_2 L11: putfield Field ImmutablePOJO description Ljava/lang/String; L14: return L15: .linenumbertable L0 26 L4 27 L9 28 L14 29 .end linenumbertable .end code .end method .method public getDescription : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field ImmutablePOJO description Ljava/lang/String; L4: areturn L5: .linenumbertable L0 32 .end linenumbertable .end code .end method .method public getId : ()Ljava/lang/Integer; .code stack 1 locals 1 L0: aload_0 L1: getfield Field ImmutablePOJO id Ljava/lang/Integer; L4: areturn L5: .linenumbertable L0 36 .end linenumbertable .end code .end method .sourcefile 'ImmutablePOJO.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 13:50:36 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 ImmutablePOJO_ESTest extends ImmutablePOJO_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Integer integer0 = new Integer((-4481)); ImmutablePOJO immutablePOJO0 = new ImmutablePOJO(integer0, "_IDzMB8o!R"); Integer integer1 = immutablePOJO0.getId(); assertEquals((-4481), (int)integer1); } @Test(timeout = 4000) public void test1() throws Throwable { Integer integer0 = new Integer(0); ImmutablePOJO immutablePOJO0 = new ImmutablePOJO(integer0, "ImmutablePOJO"); Integer integer1 = immutablePOJO0.getId(); assertEquals(0, (int)integer1); } @Test(timeout = 4000) public void test2() throws Throwable { Integer integer0 = new Integer((-53911)); ImmutablePOJO immutablePOJO0 = new ImmutablePOJO(integer0, ""); Integer integer1 = immutablePOJO0.getId(); assertEquals((-53911), (int)integer1); } @Test(timeout = 4000) public void test3() throws Throwable { Integer integer0 = new Integer(68093); ImmutablePOJO immutablePOJO0 = new ImmutablePOJO(integer0, "v"); Integer integer1 = immutablePOJO0.getId(); assertEquals(68093, (int)integer1); } @Test(timeout = 4000) public void test4() throws Throwable { Integer integer0 = new Integer(15733); ImmutablePOJO immutablePOJO0 = new ImmutablePOJO(integer0, (String) null); String string0 = immutablePOJO0.getDescription(); assertNull(string0); } @Test(timeout = 4000) public void test5() throws Throwable { Integer integer0 = new Integer((-53911)); ImmutablePOJO immutablePOJO0 = new ImmutablePOJO(integer0, ""); String string0 = immutablePOJO0.getDescription(); assertEquals("", string0); } @Test(timeout = 4000) public void test6() throws Throwable { ImmutablePOJO immutablePOJO0 = new ImmutablePOJO((Integer) null, "hI"); Integer integer0 = immutablePOJO0.getId(); assertNull(integer0); } @Test(timeout = 4000) public void test7() throws Throwable { ImmutablePOJO immutablePOJO0 = new ImmutablePOJO((Integer) null, "hI"); String string0 = immutablePOJO0.getDescription(); assertEquals("hI", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 13:50:36 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 ImmutablePOJO_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 = "ImmutablePOJO"; 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/tmpcpcyq0od"); 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(ImmutablePOJO_ESTest_scaffolding.class.getClassLoader() , "ImmutablePOJO" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ImmutablePOJO_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ImmutablePOJO" ); } }
1,710
Driver
public class Driver { public static void main(String[] args) { // Driver should only call the main engine loop } }
.version 52 0 .class public super Driver .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 main : ([Ljava/lang/String;)V .code stack 0 locals 1 L0: return L1: .linenumbertable L0 7 .end linenumbertable .end code .end method .sourcefile 'Driver.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 02: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 Driver_ESTest extends Driver_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Driver driver0 = new Driver(); } @Test(timeout = 4000) public void test1() throws Throwable { String[] stringArray0 = new String[3]; Driver.main(stringArray0); assertEquals(3, stringArray0.length); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 02: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 Driver_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 = "Driver"; 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/tmp50zlfp6m"); 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(Driver_ESTest_scaffolding.class.getClassLoader() , "Driver" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Driver_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Driver" ); } }
1,711
UdpSend
/** */ import java.net.*; /** * @author 人 */ class UdpSend { /** * @param args */ public static void main(String[] args) throws Exception { // TODO Auto-generated method stub // 1、建立updsocket DatagramSocket da = new DatagramSocket(); // 2、提供数据 DatagramPacket(byte[] buf, int length, InetAddress address, int port) byte[] buf = "suanmb".getBytes(); DatagramPacket de = new DatagramPacket(buf, buf.length, InetAddress.getByName("localhost"), 10000); // 3、通过socket服务的发送功能,将数据包发送出去 da.send(de); // 4、关闭资源 da.close(); } }
.version 52 0 .class super UdpSend .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 12 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 6 locals 4 L0: new java/net/DatagramSocket L3: dup L4: invokespecial Method java/net/DatagramSocket <init> ()V L7: astore_1 L8: ldc 'suanmb' L10: invokevirtual Method java/lang/String getBytes ()[B L13: astore_2 L14: new java/net/DatagramPacket L17: dup L18: aload_2 L19: aload_2 L20: arraylength L21: ldc 'localhost' L23: invokestatic Method java/net/InetAddress getByName (Ljava/lang/String;)Ljava/net/InetAddress; L26: sipush 10000 L29: invokespecial Method java/net/DatagramPacket <init> ([BILjava/net/InetAddress;I)V L32: astore_3 L33: aload_1 L34: aload_3 L35: invokevirtual Method java/net/DatagramSocket send (Ljava/net/DatagramPacket;)V L38: aload_1 L39: invokevirtual Method java/net/DatagramSocket close ()V L42: return L43: .linenumbertable L0 20 L8 22 L14 23 L33 25 L38 27 L42 28 .end linenumbertable .end code .exceptions java/lang/Exception .end method .sourcefile 'UdpSend.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 22:16: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 UdpSend_ESTest extends UdpSend_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { UdpSend.main((String[]) null); } @Test(timeout = 4000) public void test1() throws Throwable { UdpSend udpSend0 = new UdpSend(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 22:16: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 UdpSend_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 = "UdpSend"; 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/tmpa6qqvl2i"); 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(UdpSend_ESTest_scaffolding.class.getClassLoader() , "UdpSend" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UdpSend_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "UdpSend" ); } }
1,712
SpeedARException
/** * General Exception that indicates there is a major failure in the SpeedAR API * * <p>If this is called, the application will not be able to use any of the features associated with * the API */ public class SpeedARException extends Exception { /** * Constructs a new SpeedARException. This exception should only be called by API code You should * not be throwing this Exceptions. * * <p>This exception will not be caught by any API code. This exception is an indicator that there * is a major Runtime issue that doesn't allow this API to function correctly */ public SpeedARException(String message) { super(message); } }
.version 52 0 .class public super SpeedARException .super java/lang/Exception .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 20 L5 21 .end linenumbertable .end code .end method .sourcefile 'SpeedARException.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 14:09: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 SpeedARException_ESTest extends SpeedARException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { SpeedARException speedARException0 = new SpeedARException(""); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 14:09: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 SpeedARException_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 = "SpeedARException"; 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/tmp1o0nlyq5"); 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(SpeedARException_ESTest_scaffolding.class.getClassLoader() , "SpeedARException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SpeedARException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "SpeedARException" ); } }
1,713
ClientTest
import java.io.DataInputStream; import java.net.Socket; public class ClientTest { public static void main(String[] args) throws Exception { // ±¾»ú×÷Ϊ·þÎñÆ÷£¬ËùÒÔ·þÎñÆ÷µØÖ·ÊDZ¾»úµÄipµØÖ·£¬±¾»úͬʱÓÖÊǿͻ§¶Ë Socket socket = new Socket("127.0.0.1", 8888); // ·þÎñÆ÷¶ËµÄipµØÖ·ºÍ¶Ë¿ÚºÅ DataInputStream in = new DataInputStream(socket.getInputStream()); // ¶ÁÈ¡·þÎñ¶Ë·¢À´µÄÏûÏ¢ String msg = in.readUTF(); System.out.println(msg); } }
.version 52 0 .class public super ClientTest .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 static main : ([Ljava/lang/String;)V .code stack 4 locals 4 L0: new java/net/Socket L3: dup L4: ldc '127.0.0.1' L6: sipush 8888 L9: invokespecial Method java/net/Socket <init> (Ljava/lang/String;I)V L12: astore_1 L13: new java/io/DataInputStream L16: dup L17: aload_1 L18: invokevirtual Method java/net/Socket getInputStream ()Ljava/io/InputStream; L21: invokespecial Method java/io/DataInputStream <init> (Ljava/io/InputStream;)V L24: astore_2 L25: aload_2 L26: invokevirtual Method java/io/DataInputStream readUTF ()Ljava/lang/String; L29: astore_3 L30: getstatic Field java/lang/System out Ljava/io/PrintStream; L33: aload_3 L34: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L37: return L38: .linenumbertable L0 9 L13 10 L25 11 L30 12 L37 13 .end linenumbertable .end code .exceptions java/lang/Exception .end method .sourcefile 'ClientTest.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 07:31:42 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; import java.io.EOFException; import java.io.IOException; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.evosuite.runtime.testdata.EvoSuiteRemoteAddress; import org.evosuite.runtime.testdata.NetworkHandling; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class ClientTest_ESTest extends ClientTest_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { try { ClientTest.main((String[]) null); fail("Expecting exception: IOException"); } catch(IOException e) { // // Remote address/port is not opened: org.evosuite.runtime.vnet.EndPointInfo@6631c50 // verifyException("org.evosuite.runtime.vnet.VirtualNetwork", e); } } @Test(timeout = 4000) public void test1() throws Throwable { String[] stringArray0 = new String[8]; EvoSuiteRemoteAddress evoSuiteRemoteAddress0 = new EvoSuiteRemoteAddress("127.0.0.1", 8888); NetworkHandling.openRemoteTcpServer(evoSuiteRemoteAddress0); try { ClientTest.main(stringArray0); fail("Expecting exception: EOFException"); } catch(EOFException e) { // // no message in exception (getMessage() returned null) // verifyException("java.io.DataInputStream", e); } } @Test(timeout = 4000) public void test2() throws Throwable { ClientTest clientTest0 = new ClientTest(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 07:31: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 ClientTest_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 = "ClientTest"; 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/tmp5jbkrmuj"); 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(ClientTest_ESTest_scaffolding.class.getClassLoader() , "ClientTest" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ClientTest_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ClientTest" ); } }
1,714
TitleModel
import java.io.Serializable; /** * ================================================================ 创建时间:2017/7/31 上午9:17 创建人:Alan * 文件描述:首页功能标题实体,填充适配器 至尊宝:长夜漫漫无心睡眠,我以为只有我睡不着,原来晶晶姑娘你也睡不着 ! * ================================================================ */ public class TitleModel implements Serializable { private String title; // 标题 private boolean isCanClick; public TitleModel(String title, boolean index) { this.title = title; this.isCanClick = index; } public String getTitle() { return title; } public void setTitle(String title) { this.title = title; } public boolean getIndex() { return isCanClick; } public void setIndex(boolean index) { this.isCanClick = index; } }
.version 52 0 .class public super TitleModel .super java/lang/Object .implements java/io/Serializable .field private title Ljava/lang/String; .field private isCanClick Z .method public <init> : (Ljava/lang/String;Z)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 TitleModel title Ljava/lang/String; L9: aload_0 L10: iload_2 L11: putfield Field TitleModel isCanClick Z L14: return L15: .linenumbertable L0 17 L4 18 L9 19 L14 20 .end linenumbertable .end code .end method .method public getTitle : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field TitleModel title Ljava/lang/String; L4: areturn L5: .linenumbertable L0 23 .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 TitleModel title Ljava/lang/String; L5: return L6: .linenumbertable L0 27 L5 28 .end linenumbertable .end code .end method .method public getIndex : ()Z .code stack 1 locals 1 L0: aload_0 L1: getfield Field TitleModel isCanClick Z L4: ireturn L5: .linenumbertable L0 31 .end linenumbertable .end code .end method .method public setIndex : (Z)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field TitleModel isCanClick Z L5: return L6: .linenumbertable L0 35 L5 36 .end linenumbertable .end code .end method .sourcefile 'TitleModel.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 07:00:00 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 TitleModel_ESTest extends TitleModel_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { TitleModel titleModel0 = new TitleModel((String) null, true); titleModel0.getTitle(); assertTrue(titleModel0.getIndex()); } @Test(timeout = 4000) public void test1() throws Throwable { TitleModel titleModel0 = new TitleModel("VP`? G", true); assertTrue(titleModel0.getIndex()); titleModel0.setIndex(false); boolean boolean0 = titleModel0.getIndex(); assertFalse(boolean0); } @Test(timeout = 4000) public void test2() throws Throwable { TitleModel titleModel0 = new TitleModel("VP`? G", true); titleModel0.setTitle(""); titleModel0.getTitle(); assertTrue(titleModel0.getIndex()); } @Test(timeout = 4000) public void test3() throws Throwable { TitleModel titleModel0 = new TitleModel("VP`? G", true); titleModel0.getTitle(); assertTrue(titleModel0.getIndex()); } @Test(timeout = 4000) public void test4() throws Throwable { TitleModel titleModel0 = new TitleModel("VP`? G", true); boolean boolean0 = titleModel0.getIndex(); assertTrue(boolean0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 07:00:00 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 TitleModel_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 = "TitleModel"; 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/tmp7gtw48f9"); 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(TitleModel_ESTest_scaffolding.class.getClassLoader() , "TitleModel" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TitleModel_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "TitleModel" ); } }
1,715
PictureProcessAPI
public class PictureProcessAPI {}
.version 52 0 .class public super PictureProcessAPI .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 'PictureProcessAPI.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 21:13:18 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 PictureProcessAPI_ESTest extends PictureProcessAPI_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { PictureProcessAPI pictureProcessAPI0 = new PictureProcessAPI(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 21:13:18 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 PictureProcessAPI_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 = "PictureProcessAPI"; 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/tmpcnxrqhn4"); 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(PictureProcessAPI_ESTest_scaffolding.class.getClassLoader() , "PictureProcessAPI" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PictureProcessAPI_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "PictureProcessAPI" ); } }
1,716
WorkerCase
public class WorkerCase { private Integer workercasetbId; private Integer workertbId; private String workercasetbName; private String workertypetbSummary; private String workertypetbPic; private String alternative1; private String alternative2; private String alternative3; public Integer getWorkercasetbId() { return workercasetbId; } public void setWorkercasetbId(Integer workercasetbId) { this.workercasetbId = workercasetbId; } public Integer getWorkertbId() { return workertbId; } public void setWorkertbId(Integer workertbId) { this.workertbId = workertbId; } public String getWorkercasetbName() { return workercasetbName; } public void setWorkercasetbName(String workercasetbName) { this.workercasetbName = workercasetbName == null ? null : workercasetbName.trim(); } public String getWorkertypetbSummary() { return workertypetbSummary; } public void setWorkertypetbSummary(String workertypetbSummary) { this.workertypetbSummary = workertypetbSummary == null ? null : workertypetbSummary.trim(); } public String getWorkertypetbPic() { return workertypetbPic; } public void setWorkertypetbPic(String workertypetbPic) { this.workertypetbPic = workertypetbPic == null ? null : workertypetbPic.trim(); } public String getAlternative1() { return alternative1; } public void setAlternative1(String alternative1) { this.alternative1 = alternative1 == null ? null : alternative1.trim(); } public String getAlternative2() { return alternative2; } public void setAlternative2(String alternative2) { this.alternative2 = alternative2 == null ? null : alternative2.trim(); } public String getAlternative3() { return alternative3; } public void setAlternative3(String alternative3) { this.alternative3 = alternative3 == null ? null : alternative3.trim(); } }
.version 52 0 .class public super WorkerCase .super java/lang/Object .field private workercasetbId Ljava/lang/Integer; .field private workertbId Ljava/lang/Integer; .field private workercasetbName Ljava/lang/String; .field private workertypetbSummary Ljava/lang/String; .field private workertypetbPic Ljava/lang/String; .field private alternative1 Ljava/lang/String; .field private alternative2 Ljava/lang/String; .field private alternative3 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 .method public getWorkercasetbId : ()Ljava/lang/Integer; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WorkerCase workercasetbId Ljava/lang/Integer; L4: areturn L5: .linenumbertable L0 21 .end linenumbertable .end code .end method .method public setWorkercasetbId : (Ljava/lang/Integer;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field WorkerCase workercasetbId Ljava/lang/Integer; L5: return L6: .linenumbertable L0 25 L5 26 .end linenumbertable .end code .end method .method public getWorkertbId : ()Ljava/lang/Integer; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WorkerCase workertbId Ljava/lang/Integer; L4: areturn L5: .linenumbertable L0 29 .end linenumbertable .end code .end method .method public setWorkertbId : (Ljava/lang/Integer;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field WorkerCase workertbId Ljava/lang/Integer; L5: return L6: .linenumbertable L0 33 L5 34 .end linenumbertable .end code .end method .method public getWorkercasetbName : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WorkerCase workercasetbName Ljava/lang/String; L4: areturn L5: .linenumbertable L0 37 .end linenumbertable .end code .end method .method public setWorkercasetbName : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: ifnonnull L9 L5: aconst_null L6: goto L13 .stack stack_1 Object WorkerCase L9: aload_1 L10: invokevirtual Method java/lang/String trim ()Ljava/lang/String; .stack full locals Object WorkerCase Object java/lang/String stack Object WorkerCase Object java/lang/String .end stack L13: putfield Field WorkerCase workercasetbName Ljava/lang/String; L16: return L17: .linenumbertable L0 41 L16 42 .end linenumbertable .end code .end method .method public getWorkertypetbSummary : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WorkerCase workertypetbSummary Ljava/lang/String; L4: areturn L5: .linenumbertable L0 45 .end linenumbertable .end code .end method .method public setWorkertypetbSummary : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: ifnonnull L9 L5: aconst_null L6: goto L13 .stack stack_1 Object WorkerCase L9: aload_1 L10: invokevirtual Method java/lang/String trim ()Ljava/lang/String; .stack full locals Object WorkerCase Object java/lang/String stack Object WorkerCase Object java/lang/String .end stack L13: putfield Field WorkerCase workertypetbSummary Ljava/lang/String; L16: return L17: .linenumbertable L0 49 L16 50 .end linenumbertable .end code .end method .method public getWorkertypetbPic : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WorkerCase workertypetbPic Ljava/lang/String; L4: areturn L5: .linenumbertable L0 53 .end linenumbertable .end code .end method .method public setWorkertypetbPic : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: ifnonnull L9 L5: aconst_null L6: goto L13 .stack stack_1 Object WorkerCase L9: aload_1 L10: invokevirtual Method java/lang/String trim ()Ljava/lang/String; .stack full locals Object WorkerCase Object java/lang/String stack Object WorkerCase Object java/lang/String .end stack L13: putfield Field WorkerCase workertypetbPic Ljava/lang/String; L16: return L17: .linenumbertable L0 57 L16 58 .end linenumbertable .end code .end method .method public getAlternative1 : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WorkerCase alternative1 Ljava/lang/String; L4: areturn L5: .linenumbertable L0 61 .end linenumbertable .end code .end method .method public setAlternative1 : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: ifnonnull L9 L5: aconst_null L6: goto L13 .stack stack_1 Object WorkerCase L9: aload_1 L10: invokevirtual Method java/lang/String trim ()Ljava/lang/String; .stack full locals Object WorkerCase Object java/lang/String stack Object WorkerCase Object java/lang/String .end stack L13: putfield Field WorkerCase alternative1 Ljava/lang/String; L16: return L17: .linenumbertable L0 65 L16 66 .end linenumbertable .end code .end method .method public getAlternative2 : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WorkerCase alternative2 Ljava/lang/String; L4: areturn L5: .linenumbertable L0 69 .end linenumbertable .end code .end method .method public setAlternative2 : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: ifnonnull L9 L5: aconst_null L6: goto L13 .stack stack_1 Object WorkerCase L9: aload_1 L10: invokevirtual Method java/lang/String trim ()Ljava/lang/String; .stack full locals Object WorkerCase Object java/lang/String stack Object WorkerCase Object java/lang/String .end stack L13: putfield Field WorkerCase alternative2 Ljava/lang/String; L16: return L17: .linenumbertable L0 73 L16 74 .end linenumbertable .end code .end method .method public getAlternative3 : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WorkerCase alternative3 Ljava/lang/String; L4: areturn L5: .linenumbertable L0 77 .end linenumbertable .end code .end method .method public setAlternative3 : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: ifnonnull L9 L5: aconst_null L6: goto L13 .stack stack_1 Object WorkerCase L9: aload_1 L10: invokevirtual Method java/lang/String trim ()Ljava/lang/String; .stack full locals Object WorkerCase Object java/lang/String stack Object WorkerCase Object java/lang/String .end stack L13: putfield Field WorkerCase alternative3 Ljava/lang/String; L16: return L17: .linenumbertable L0 81 L16 82 .end linenumbertable .end code .end method .sourcefile 'WorkerCase.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 15:21:18 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 WorkerCase_ESTest extends WorkerCase_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); workerCase0.setWorkertypetbSummary("z"); String string0 = workerCase0.getWorkertypetbSummary(); assertEquals("z", string0); } @Test(timeout = 4000) public void test01() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); workerCase0.setWorkertypetbSummary(""); String string0 = workerCase0.getWorkertypetbSummary(); assertEquals("", string0); } @Test(timeout = 4000) public void test02() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); workerCase0.setWorkertypetbPic("x3jN 2Sq"); String string0 = workerCase0.getWorkertypetbPic(); assertEquals("x3jN 2Sq", string0); } @Test(timeout = 4000) public void test03() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); Integer integer0 = new Integer(0); workerCase0.setWorkertbId(integer0); Integer integer1 = workerCase0.getWorkertbId(); assertEquals(0, (int)integer1); } @Test(timeout = 4000) public void test04() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); Integer integer0 = new Integer((-3425)); workerCase0.setWorkertbId(integer0); Integer integer1 = workerCase0.getWorkertbId(); assertEquals((-3425), (int)integer1); } @Test(timeout = 4000) public void test05() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); workerCase0.setWorkercasetbName("WorkerCase"); String string0 = workerCase0.getWorkercasetbName(); assertEquals("WorkerCase", string0); } @Test(timeout = 4000) public void test06() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); workerCase0.setWorkercasetbName(""); String string0 = workerCase0.getWorkercasetbName(); assertEquals("", string0); } @Test(timeout = 4000) public void test07() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); Integer integer0 = new Integer(72544); workerCase0.setWorkercasetbId(integer0); Integer integer1 = workerCase0.getWorkercasetbId(); assertEquals(72544, (int)integer1); } @Test(timeout = 4000) public void test08() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); Integer integer0 = new Integer(0); workerCase0.setWorkercasetbId(integer0); Integer integer1 = workerCase0.getWorkercasetbId(); assertEquals(0, (int)integer1); } @Test(timeout = 4000) public void test09() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); Integer integer0 = new Integer((-78002)); workerCase0.setWorkercasetbId(integer0); Integer integer1 = workerCase0.getWorkercasetbId(); assertEquals((-78002), (int)integer1); } @Test(timeout = 4000) public void test10() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); Integer integer0 = new Integer(56712); workerCase0.setWorkercasetbId(integer0); Integer integer1 = workerCase0.getWorkercasetbId(); assertEquals(56712, (int)integer1); } @Test(timeout = 4000) public void test11() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); workerCase0.setAlternative3("1R#6jU0_uxQF&j"); String string0 = workerCase0.getAlternative3(); assertEquals("1R#6jU0_uxQF&j", string0); } @Test(timeout = 4000) public void test12() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); workerCase0.setAlternative3(""); String string0 = workerCase0.getAlternative3(); assertEquals("", string0); } @Test(timeout = 4000) public void test13() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); workerCase0.setAlternative2(" zxP$,;^d4U%"); String string0 = workerCase0.getAlternative2(); assertEquals("zxP$,;^d4U%", string0); } @Test(timeout = 4000) public void test14() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); workerCase0.setAlternative2(""); String string0 = workerCase0.getAlternative2(); assertEquals("", string0); } @Test(timeout = 4000) public void test15() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); workerCase0.setAlternative1("WorkerCase"); String string0 = workerCase0.getAlternative1(); assertEquals("WorkerCase", string0); } @Test(timeout = 4000) public void test16() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); workerCase0.setAlternative3((String) null); assertNull(workerCase0.getAlternative3()); } @Test(timeout = 4000) public void test17() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); workerCase0.setAlternative2((String) null); assertNull(workerCase0.getWorkertypetbPic()); } @Test(timeout = 4000) public void test18() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); workerCase0.setAlternative1((String) null); assertNull(workerCase0.getWorkertbId()); } @Test(timeout = 4000) public void test19() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); workerCase0.setAlternative1(""); String string0 = workerCase0.getAlternative1(); assertEquals("", string0); } @Test(timeout = 4000) public void test20() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); workerCase0.setWorkertypetbPic((String) null); assertNull(workerCase0.getAlternative3()); } @Test(timeout = 4000) public void test21() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); workerCase0.setWorkertypetbPic(""); String string0 = workerCase0.getWorkertypetbPic(); assertEquals("", string0); } @Test(timeout = 4000) public void test22() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); workerCase0.setWorkertypetbSummary((String) null); assertNull(workerCase0.getAlternative3()); } @Test(timeout = 4000) public void test23() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); workerCase0.setWorkercasetbName((String) null); assertNull(workerCase0.getWorkertbId()); } @Test(timeout = 4000) public void test24() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); Integer integer0 = new Integer(10); workerCase0.setWorkertbId(integer0); Integer integer1 = workerCase0.getWorkertbId(); assertEquals(10, (int)integer1); } @Test(timeout = 4000) public void test25() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); String string0 = workerCase0.getWorkercasetbName(); assertNull(string0); } @Test(timeout = 4000) public void test26() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); String string0 = workerCase0.getAlternative1(); assertNull(string0); } @Test(timeout = 4000) public void test27() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); String string0 = workerCase0.getWorkertypetbSummary(); assertNull(string0); } @Test(timeout = 4000) public void test28() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); String string0 = workerCase0.getAlternative3(); assertNull(string0); } @Test(timeout = 4000) public void test29() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); Integer integer0 = workerCase0.getWorkercasetbId(); assertNull(integer0); } @Test(timeout = 4000) public void test30() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); String string0 = workerCase0.getAlternative2(); assertNull(string0); } @Test(timeout = 4000) public void test31() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); Integer integer0 = workerCase0.getWorkertbId(); assertNull(integer0); } @Test(timeout = 4000) public void test32() throws Throwable { WorkerCase workerCase0 = new WorkerCase(); String string0 = workerCase0.getWorkertypetbPic(); assertNull(string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 15:21:18 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 WorkerCase_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 = "WorkerCase"; 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/tmpuopdo7lr"); 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(WorkerCase_ESTest_scaffolding.class.getClassLoader() , "WorkerCase" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(WorkerCase_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "WorkerCase" ); } }
1,717
HistoryCleanupContext
/* * Copyright © 2013-2018 camunda services GmbH and various authors ([email protected]) * * 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. */ /** * @author Svetlana Dorokhova. */ public class HistoryCleanupContext { private boolean immediatelyDue; private int minuteFrom; private int minuteTo; public HistoryCleanupContext(boolean immediatelyDue, int minuteFrom, int minuteTo) { this.immediatelyDue = immediatelyDue; this.minuteFrom = minuteFrom; this.minuteTo = minuteTo; } public HistoryCleanupContext(int minuteFrom, int minuteTo) { this.minuteFrom = minuteFrom; this.minuteTo = minuteTo; } public boolean isImmediatelyDue() { return immediatelyDue; } public void setImmediatelyDue(boolean immediatelyDue) { this.immediatelyDue = immediatelyDue; } public int getMinuteFrom() { return minuteFrom; } public void setMinuteFrom(int minuteFrom) { this.minuteFrom = minuteFrom; } public int getMinuteTo() { return minuteTo; } public void setMinuteTo(int minuteTo) { this.minuteTo = minuteTo; } }
.version 52 0 .class public super HistoryCleanupContext .super java/lang/Object .field private immediatelyDue Z .field private minuteFrom I .field private minuteTo I .method public <init> : (ZII)V .code stack 2 locals 4 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: iload_1 L6: putfield Field HistoryCleanupContext immediatelyDue Z L9: aload_0 L10: iload_2 L11: putfield Field HistoryCleanupContext minuteFrom I L14: aload_0 L15: iload_3 L16: putfield Field HistoryCleanupContext minuteTo I L19: return L20: .linenumbertable L0 27 L4 28 L9 29 L14 30 L19 31 .end linenumbertable .end code .end method .method public <init> : (II)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 HistoryCleanupContext minuteFrom I L9: aload_0 L10: iload_2 L11: putfield Field HistoryCleanupContext minuteTo I L14: return L15: .linenumbertable L0 33 L4 34 L9 35 L14 36 .end linenumbertable .end code .end method .method public isImmediatelyDue : ()Z .code stack 1 locals 1 L0: aload_0 L1: getfield Field HistoryCleanupContext immediatelyDue Z L4: ireturn L5: .linenumbertable L0 39 .end linenumbertable .end code .end method .method public setImmediatelyDue : (Z)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field HistoryCleanupContext immediatelyDue Z L5: return L6: .linenumbertable L0 43 L5 44 .end linenumbertable .end code .end method .method public getMinuteFrom : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field HistoryCleanupContext minuteFrom I L4: ireturn L5: .linenumbertable L0 47 .end linenumbertable .end code .end method .method public setMinuteFrom : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field HistoryCleanupContext minuteFrom I L5: return L6: .linenumbertable L0 51 L5 52 .end linenumbertable .end code .end method .method public getMinuteTo : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field HistoryCleanupContext minuteTo I L4: ireturn L5: .linenumbertable L0 55 .end linenumbertable .end code .end method .method public setMinuteTo : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field HistoryCleanupContext minuteTo I L5: return L6: .linenumbertable L0 59 L5 60 .end linenumbertable .end code .end method .sourcefile 'HistoryCleanupContext.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 19:05: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 HistoryCleanupContext_ESTest extends HistoryCleanupContext_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { HistoryCleanupContext historyCleanupContext0 = new HistoryCleanupContext(true, (-1), (-1)); int int0 = historyCleanupContext0.getMinuteTo(); assertTrue(historyCleanupContext0.isImmediatelyDue()); assertEquals((-1), int0); assertEquals((-1), historyCleanupContext0.getMinuteFrom()); } @Test(timeout = 4000) public void test1() throws Throwable { HistoryCleanupContext historyCleanupContext0 = new HistoryCleanupContext((-123992), (-123992)); int int0 = historyCleanupContext0.getMinuteFrom(); assertEquals((-123992), historyCleanupContext0.getMinuteTo()); assertEquals((-123992), int0); } @Test(timeout = 4000) public void test2() throws Throwable { HistoryCleanupContext historyCleanupContext0 = new HistoryCleanupContext(0, 0); historyCleanupContext0.setMinuteTo(0); assertEquals(0, historyCleanupContext0.getMinuteTo()); assertEquals(0, historyCleanupContext0.getMinuteFrom()); } @Test(timeout = 4000) public void test3() throws Throwable { HistoryCleanupContext historyCleanupContext0 = new HistoryCleanupContext(true, 1, 1); int int0 = historyCleanupContext0.getMinuteTo(); assertEquals(1, historyCleanupContext0.getMinuteFrom()); assertEquals(1, int0); assertTrue(historyCleanupContext0.isImmediatelyDue()); } @Test(timeout = 4000) public void test4() throws Throwable { HistoryCleanupContext historyCleanupContext0 = new HistoryCleanupContext(0, 0); historyCleanupContext0.setMinuteFrom(41983); int int0 = historyCleanupContext0.getMinuteFrom(); assertEquals(41983, int0); } @Test(timeout = 4000) public void test5() throws Throwable { HistoryCleanupContext historyCleanupContext0 = new HistoryCleanupContext(0, 0); historyCleanupContext0.isImmediatelyDue(); assertEquals(0, historyCleanupContext0.getMinuteTo()); assertEquals(0, historyCleanupContext0.getMinuteFrom()); } @Test(timeout = 4000) public void test6() throws Throwable { HistoryCleanupContext historyCleanupContext0 = new HistoryCleanupContext(0, 0); historyCleanupContext0.setImmediatelyDue(true); boolean boolean0 = historyCleanupContext0.isImmediatelyDue(); assertTrue(boolean0); } @Test(timeout = 4000) public void test7() throws Throwable { HistoryCleanupContext historyCleanupContext0 = new HistoryCleanupContext(0, 0); int int0 = historyCleanupContext0.getMinuteTo(); assertEquals(0, historyCleanupContext0.getMinuteFrom()); assertEquals(0, int0); } @Test(timeout = 4000) public void test8() throws Throwable { HistoryCleanupContext historyCleanupContext0 = new HistoryCleanupContext(0, 0); int int0 = historyCleanupContext0.getMinuteFrom(); assertEquals(0, historyCleanupContext0.getMinuteTo()); assertEquals(0, int0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 19:05: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 HistoryCleanupContext_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 = "HistoryCleanupContext"; 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/tmp0rwfqgzu"); 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(HistoryCleanupContext_ESTest_scaffolding.class.getClassLoader() , "HistoryCleanupContext" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(HistoryCleanupContext_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "HistoryCleanupContext" ); } }
1,718
Calculator
import java.io.*; import java.util.*; // https://www.hackerrank.com/challenges/30-more-exceptions class Calculator { int power(int n, int p) throws Exception { if (n < 0 || p < 0) throw new Exception("n and p should be non-negative"); return (int) Math.pow(n, p); } } class Solution { public static void main(String[] args) { Scanner in = new Scanner(System.in); int t = in.nextInt(); while (t-- > 0) { int n = in.nextInt(); int p = in.nextInt(); Calculator myCalculator = new Calculator(); try { int ans = myCalculator.power(n, p); System.out.println(ans); } catch (Exception e) { System.out.println(e.getMessage()); } } in.close(); } }
.version 52 0 .class super Calculator .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 5 .end linenumbertable .end code .end method .method power : (II)I .code stack 4 locals 3 L0: iload_1 L1: iflt L8 L4: iload_2 L5: ifge L18 .stack same L8: new java/lang/Exception L11: dup L12: ldc 'n and p should be non-negative' L14: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V L17: athrow .stack same L18: iload_1 L19: i2d L20: iload_2 L21: i2d L22: invokestatic Method java/lang/Math pow (DD)D L25: d2i L26: ireturn L27: .linenumbertable L0 7 L8 8 L18 9 .end linenumbertable .end code .exceptions java/lang/Exception .end method .sourcefile 'Calculator.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 15:35:33 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 Calculator_ESTest extends Calculator_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Calculator calculator0 = new Calculator(); try { calculator0.power(41680, (-12786)); fail("Expecting exception: Exception"); } catch(Exception e) { // // n and p should be non-negative // verifyException("Calculator", e); } } @Test(timeout = 4000) public void test1() throws Throwable { Calculator calculator0 = new Calculator(); int int0 = calculator0.power(0, 0); assertEquals(1, int0); int int1 = calculator0.power(0, 1); assertEquals(0, int1); } @Test(timeout = 4000) public void test2() throws Throwable { Calculator calculator0 = new Calculator(); int int0 = calculator0.power(20608, 20608); assertEquals(Integer.MAX_VALUE, int0); } @Test(timeout = 4000) public void test3() throws Throwable { Calculator calculator0 = new Calculator(); try { calculator0.power((-84792), (-84792)); fail("Expecting exception: Exception"); } catch(Exception e) { // // n and p should be non-negative // verifyException("Calculator", e); } } @Test(timeout = 4000) public void test4() throws Throwable { Calculator calculator0 = new Calculator(); int int0 = calculator0.power(41730, 0); assertEquals(1, int0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 15:35: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 Calculator_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 = "Calculator"; 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/tmp566j5z_t"); 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(Calculator_ESTest_scaffolding.class.getClassLoader() , "Calculator" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Calculator_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Calculator" ); } }
1,719
ModuleName
public class ModuleName { private static final String MODULE_NAME = "mod_configuration"; private static final String MODULE_VERSION = "99.99.99"; /** The module name with minus replaced by underscore, for example {@code mod_foo_bar}. */ public static String getModuleName() { return MODULE_NAME; } /** The module version taken from pom.xml at compile time. */ public static String getModuleVersion() { return MODULE_VERSION; } }
.version 52 0 .class public super ModuleName .super java/lang/Object .field private static final MODULE_NAME Ljava/lang/String; = 'mod_configuration' .field private static final MODULE_VERSION Ljava/lang/String; = '99.99.99' .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 getModuleName : ()Ljava/lang/String; .code stack 1 locals 0 L0: ldc 'mod_configuration' L2: areturn L3: .linenumbertable L0 11 .end linenumbertable .end code .end method .method public static getModuleVersion : ()Ljava/lang/String; .code stack 1 locals 0 L0: ldc '99.99.99' L2: areturn L3: .linenumbertable L0 18 .end linenumbertable .end code .end method .sourcefile 'ModuleName.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 14:53: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 ModuleName_ESTest extends ModuleName_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { ModuleName moduleName0 = new ModuleName(); assertEquals("mod_configuration", moduleName0.getModuleName()); } @Test(timeout = 4000) public void test1() throws Throwable { String string0 = ModuleName.getModuleVersion(); assertEquals("99.99.99", string0); } @Test(timeout = 4000) public void test2() throws Throwable { String string0 = ModuleName.getModuleName(); assertEquals("mod_configuration", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 14:53: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 ModuleName_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 = "ModuleName"; 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/tmp2i2oqzck"); 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(ModuleName_ESTest_scaffolding.class.getClassLoader() , "ModuleName" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ModuleName_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ModuleName" ); } }
1,720
LongHelper
public class LongHelper { public static long toLong(String value) { return toLong(value, 0); } public static long toLong(String value, long defaultValue) { long valueAsLong = 0; try { valueAsLong = Long.parseLong(value); } catch (NumberFormatException e) { } return valueAsLong; } }
.version 52 0 .class public super LongHelper .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 toLong : (Ljava/lang/String;)J .code stack 3 locals 1 L0: aload_0 L1: lconst_0 L2: invokestatic Method LongHelper toLong (Ljava/lang/String;J)J L5: lreturn L6: .linenumbertable L0 6 .end linenumbertable .end code .end method .method public static toLong : (Ljava/lang/String;J)J .code stack 2 locals 6 L0: lconst_0 L1: lstore_3 .catch java/lang/NumberFormatException from L2 to L7 using L10 L2: aload_0 L3: invokestatic Method java/lang/Long parseLong (Ljava/lang/String;)J L6: lstore_3 L7: goto L12 .stack full locals Object java/lang/String Long Long stack Object java/lang/NumberFormatException .end stack L10: astore 5 .stack same L12: lload_3 L13: lreturn L14: .linenumbertable L0 11 L2 14 L7 16 L10 15 L12 18 .end linenumbertable .end code .end method .sourcefile 'LongHelper.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 18:20: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 LongHelper_ESTest extends LongHelper_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { long long0 = LongHelper.toLong("9", (-61878L)); assertEquals(9L, long0); } @Test(timeout = 4000) public void test1() throws Throwable { long long0 = LongHelper.toLong("9"); assertEquals(9L, long0); } @Test(timeout = 4000) public void test2() throws Throwable { long long0 = LongHelper.toLong("", 1L); assertEquals(0L, long0); } @Test(timeout = 4000) public void test3() throws Throwable { LongHelper longHelper0 = new LongHelper(); } @Test(timeout = 4000) public void test4() throws Throwable { long long0 = LongHelper.toLong(""); assertEquals(0L, long0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 18:20: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 LongHelper_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 = "LongHelper"; 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/tmpnah0pm6p"); 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(LongHelper_ESTest_scaffolding.class.getClassLoader() , "LongHelper" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(LongHelper_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "LongHelper" ); } }
1,721
DeleteChangeSetResult
/* * 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; /** The output for the <a>DeleteChangeSet</a> action. */ public class DeleteChangeSetResult 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 DeleteChangeSetResult == false) return false; DeleteChangeSetResult other = (DeleteChangeSetResult) obj; return true; } @Override public int hashCode() { final int prime = 31; int hashCode = 1; return hashCode; } @Override public DeleteChangeSetResult clone() { try { return (DeleteChangeSetResult) 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 DeleteChangeSetResult .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 26 .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 38 L8 39 L15 40 L22 41 .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 DeleteChangeSetResult L17: ifne L22 L20: iconst_0 L21: ireturn .stack same L22: aload_1 L23: checkcast DeleteChangeSetResult L26: astore_2 L27: iconst_1 L28: ireturn L29: .linenumbertable L0 46 L5 47 L7 48 L11 49 L13 51 L20 52 L22 53 L27 54 .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 60 L2 62 .end linenumbertable .end code .end method .method public clone : ()LDeleteChangeSetResult; .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 DeleteChangeSetResult 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 68 L8 69 L9 70 .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 DeleteChangeSetResult clone ()LDeleteChangeSetResult; L4: areturn L5: .linenumbertable L0 26 .end linenumbertable .end code .exceptions java/lang/CloneNotSupportedException .end method .sourcefile 'DeleteChangeSetResult.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 00:55: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 DeleteChangeSetResult_ESTest extends DeleteChangeSetResult_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { DeleteChangeSetResult deleteChangeSetResult0 = new DeleteChangeSetResult(); Object object0 = new Object(); boolean boolean0 = deleteChangeSetResult0.equals(object0); assertFalse(boolean0); } @Test(timeout = 4000) public void test1() throws Throwable { DeleteChangeSetResult deleteChangeSetResult0 = new DeleteChangeSetResult(); boolean boolean0 = deleteChangeSetResult0.equals(deleteChangeSetResult0); assertTrue(boolean0); } @Test(timeout = 4000) public void test2() throws Throwable { DeleteChangeSetResult deleteChangeSetResult0 = new DeleteChangeSetResult(); boolean boolean0 = deleteChangeSetResult0.equals((Object) null); assertFalse(boolean0); } @Test(timeout = 4000) public void test3() throws Throwable { DeleteChangeSetResult deleteChangeSetResult0 = new DeleteChangeSetResult(); String string0 = deleteChangeSetResult0.toString(); assertEquals("{}", string0); } @Test(timeout = 4000) public void test4() throws Throwable { DeleteChangeSetResult deleteChangeSetResult0 = new DeleteChangeSetResult(); DeleteChangeSetResult deleteChangeSetResult1 = deleteChangeSetResult0.clone(); boolean boolean0 = deleteChangeSetResult0.equals(deleteChangeSetResult1); assertTrue(boolean0); } @Test(timeout = 4000) public void test5() throws Throwable { DeleteChangeSetResult deleteChangeSetResult0 = new DeleteChangeSetResult(); deleteChangeSetResult0.hashCode(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 00:55: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 DeleteChangeSetResult_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 = "DeleteChangeSetResult"; 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/tmpx7rcr36q"); 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(DeleteChangeSetResult_ESTest_scaffolding.class.getClassLoader() , "DeleteChangeSetResult" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DeleteChangeSetResult_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "DeleteChangeSetResult" ); } }
1,722
Messages
/* * This source file is part of NScript, released under BSD-modern. * * Copyright (C) 2000-2001 Enrique Campos-Nanez * Copyright (C) 2012,2014 Stefano Sanfilippo * * See README.* at top level for copying, contacts, history and notes. */ import java.util.Locale; import java.util.ResourceBundle; import java.util.logging.Logger; /** Messages singleton for holding all translations */ public class Messages { private static ResourceBundle resources = ResourceBundle.getBundle("translations.strings", Locale.getDefault()); private static Messages instance; /** Determines suitable locale and instantiate singleton */ private Messages() { // nop } /** * Returns appropriate string for supplied ID * * @param identifier * @return */ public static synchronized String tr(String identifier) { if (Messages.instance == null) { Messages.instance = new Messages(); } return Messages.resources.getString(identifier); } /** * Dummy clone(), will not allow to deep copy object. * * @return actually nothing, will always throw exception * @throws CloneNotSupportedException */ @Override public Object clone() throws CloneNotSupportedException { throw new CloneNotSupportedException(); } private static final Logger LOG = Logger.getLogger(Messages.class.getName()); }
.version 52 0 .class public super Messages .super java/lang/Object .field private static resources Ljava/util/ResourceBundle; .field private static instance LMessages; .field private static final LOG Ljava/util/logging/Logger; .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 .method public static synchronized tr : (Ljava/lang/String;)Ljava/lang/String; .code stack 2 locals 1 L0: getstatic Field Messages instance LMessages; L3: ifnonnull L16 L6: new Messages L9: dup L10: invokespecial Method Messages <init> ()V L13: putstatic Field Messages instance LMessages; .stack same L16: getstatic Field Messages resources Ljava/util/ResourceBundle; L19: aload_0 L20: invokevirtual Method java/util/ResourceBundle getString (Ljava/lang/String;)Ljava/lang/String; L23: areturn L24: .linenumbertable L0 39 L6 40 L16 43 .end linenumbertable .end code .end method .method public clone : ()Ljava/lang/Object; .code stack 2 locals 1 L0: new java/lang/CloneNotSupportedException L3: dup L4: invokespecial Method java/lang/CloneNotSupportedException <init> ()V L7: athrow L8: .linenumbertable L0 54 .end linenumbertable .end code .exceptions java/lang/CloneNotSupportedException .end method .method static <clinit> : ()V .code stack 2 locals 0 L0: ldc 'translations.strings' L2: invokestatic Method java/util/Locale getDefault ()Ljava/util/Locale; L5: invokestatic Method java/util/ResourceBundle getBundle (Ljava/lang/String;Ljava/util/Locale;)Ljava/util/ResourceBundle; L8: putstatic Field Messages resources Ljava/util/ResourceBundle; L11: ldc Class Messages L13: invokevirtual Method java/lang/Class getName ()Ljava/lang/String; L16: invokestatic Method java/util/logging/Logger getLogger (Ljava/lang/String;)Ljava/util/logging/Logger; L19: putstatic Field Messages LOG Ljava/util/logging/Logger; L22: return L23: .linenumbertable L0 20 L2 22 L5 21 L11 56 .end linenumbertable .end code .end method .sourcefile 'Messages.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 15:47:23 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 Messages_ESTest extends Messages_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { String string0 = "Messages"; Thread thread0 = Thread.currentThread(); ClassLoader classLoader0 = thread0.getContextClassLoader(); boolean boolean0 = true; // Undeclared exception! try { Class.forName(string0, boolean0, classLoader0); fail("Expecting exception: NoClassDefFoundError"); } catch(NoClassDefFoundError e) { } } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 15:47: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 Messages_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 = "Messages"; 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/tmplfb0x7yb"); 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(Messages_ESTest_scaffolding.class.getClassLoader() , "Messages" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Messages_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Messages" ); } }
1,723
Tag
import java.util.ArrayList; import java.util.Arrays; import java.util.List; /* OVERVIEW: lista di tag associati a un messaggio. */ public class Tag { private List<String> tags; private Tag() { /*blocco il costruttore di default*/ } /* prendo in ingresso un array di stringhe a dimensione dinamica successivamente creo un arraylist con le stringhe ricevute */ public Tag(String... s) { tags = new ArrayList<String>(Arrays.asList(s)); } public List<String> getTags() { return tags; } /* creo una lista di comparazione con gli stessi argomenti di t (cosi da non eliminare direttamente t) dalla lista di comparazione tolgo tutti gli elementi che sono presenti in tags e se ottengo una lista vuota => t è incluso(uguale) a tags, quindi ritorno True, false altrimenti */ public boolean containTag(List<String> t) { List<String> compare = new ArrayList<>(t); compare.removeAll(tags); if (compare.isEmpty()) return true; return false; } @Override public String toString() { String s = "" + tags.get(0); for (int i = 1; i < tags.size(); i++) s = s + " " + tags.get(i); return s; } }
.version 52 0 .class public super Tag .super java/lang/Object .field private tags Ljava/util/List; .fieldattributes .signature Ljava/util/List<Ljava/lang/String;>; .end fieldattributes .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 15 L4 17 .end linenumbertable .end code .end method .method public varargs <init> : ([Ljava/lang/String;)V .code stack 4 locals 2 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: new java/util/ArrayList L8: dup L9: aload_1 L10: invokestatic Method java/util/Arrays asList ([Ljava/lang/Object;)Ljava/util/List; L13: invokespecial Method java/util/ArrayList <init> (Ljava/util/Collection;)V L16: putfield Field Tag tags Ljava/util/List; L19: return L20: .linenumbertable L0 23 L4 25 L19 26 .end linenumbertable .end code .end method .method public getTags : ()Ljava/util/List; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Tag tags Ljava/util/List; L4: areturn L5: .linenumbertable L0 29 .end linenumbertable .end code .signature ()Ljava/util/List<Ljava/lang/String;>; .end method .method public containTag : (Ljava/util/List;)Z .code stack 3 locals 3 L0: new java/util/ArrayList L3: dup L4: aload_1 L5: invokespecial Method java/util/ArrayList <init> (Ljava/util/Collection;)V L8: astore_2 L9: aload_2 L10: aload_0 L11: getfield Field Tag tags Ljava/util/List; L14: invokeinterface InterfaceMethod java/util/List removeAll (Ljava/util/Collection;)Z 2 L19: pop L20: aload_2 L21: invokeinterface InterfaceMethod java/util/List isEmpty ()Z 1 L26: ifeq L31 L29: iconst_1 L30: ireturn .stack append Object java/util/List L31: iconst_0 L32: ireturn L33: .linenumbertable L0 38 L9 39 L20 41 L29 42 L31 44 .end linenumbertable .end code .signature (Ljava/util/List<Ljava/lang/String;>;)Z .end method .method public toString : ()Ljava/lang/String; .code stack 3 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: getfield Field Tag tags Ljava/util/List; L16: iconst_0 L17: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2 L22: checkcast java/lang/String L25: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L28: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L31: astore_1 L32: iconst_1 L33: istore_2 .stack append Object java/lang/String Integer L34: iload_2 L35: aload_0 L36: getfield Field Tag tags Ljava/util/List; L39: invokeinterface InterfaceMethod java/util/List size ()I 1 L44: if_icmpge L89 L47: new java/lang/StringBuilder L50: dup L51: invokespecial Method java/lang/StringBuilder <init> ()V L54: aload_1 L55: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L58: ldc ' ' L60: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L63: aload_0 L64: getfield Field Tag tags Ljava/util/List; L67: iload_2 L68: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2 L73: checkcast java/lang/String L76: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L79: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L82: astore_1 L83: iinc 2 1 L86: goto L34 .stack chop 1 L89: aload_1 L90: areturn L91: .linenumbertable L0 49 L32 51 L47 52 L83 51 L89 54 .end linenumbertable .end code .end method .sourcefile 'Tag.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 00:52:30 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; import java.util.LinkedList; 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 Tag_ESTest extends Tag_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { String[] stringArray0 = new String[7]; stringArray0[0] = ""; stringArray0[1] = "Xso"; stringArray0[2] = "3Qf8Dh%3f"; stringArray0[3] = "Tag"; stringArray0[4] = "Qf'0e'}P/n&,AvH"; stringArray0[5] = " "; stringArray0[6] = "Tag"; Tag tag0 = new Tag(stringArray0); List<String> list0 = tag0.getTags(); boolean boolean0 = tag0.containTag(list0); assertTrue(boolean0); String string0 = tag0.toString(); assertEquals(" Xso 3Qf8Dh%3f Tag Qf'0e'}P/n&,AvH Tag", string0); } @Test(timeout = 4000) public void test1() throws Throwable { String[] stringArray0 = new String[6]; stringArray0[0] = "Tag"; stringArray0[1] = "D6jM"; stringArray0[2] = ""; stringArray0[3] = "E^0b_8#s]DQB)O9x{E"; stringArray0[4] = ""; stringArray0[5] = "Tag"; Tag tag0 = new Tag(stringArray0); } @Test(timeout = 4000) public void test2() throws Throwable { String[] stringArray0 = new String[9]; stringArray0[0] = "]{{ -["; stringArray0[1] = "i,"; stringArray0[2] = "kpOPSx3s>69`oN%"; stringArray0[3] = "<WYdYM.D"; stringArray0[4] = "Tag"; stringArray0[5] = ""; stringArray0[6] = "']<fph0Y'oi"; stringArray0[7] = "Q 0g"; stringArray0[8] = "NwPopX~dP#a?c8"; Tag tag0 = new Tag(stringArray0); List<String> list0 = tag0.getTags(); assertTrue(list0.contains("']<fph0Y'oi")); } @Test(timeout = 4000) public void test3() throws Throwable { String[] stringArray0 = new String[1]; stringArray0[0] = "5~yF)Icm"; Tag tag0 = new Tag(stringArray0); tag0.toString(); List<String> list0 = tag0.getTags(); tag0.containTag(list0); tag0.getTags(); tag0.toString(); tag0.toString(); tag0.toString(); List<String> list1 = tag0.getTags(); tag0.toString(); tag0.toString(); tag0.toString(); tag0.containTag(list1); tag0.getTags(); boolean boolean0 = tag0.containTag(list1); assertTrue(boolean0); String string0 = tag0.toString(); assertEquals("5~yF)Icm", string0); } @Test(timeout = 4000) public void test4() throws Throwable { Tag tag0 = null; try { tag0 = new Tag((String[]) null); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // verifyException("java.util.Objects", e); } } @Test(timeout = 4000) public void test5() throws Throwable { String[] stringArray0 = new String[9]; stringArray0[0] = "jkLn;<FP?b]Z,"; stringArray0[1] = ""; stringArray0[2] = ""; stringArray0[3] = "sU`W@I4'8/gy>2d{"; stringArray0[4] = ""; stringArray0[5] = "5c"; stringArray0[6] = "se`Ip(SAqKc`4;x^"; stringArray0[7] = ""; stringArray0[8] = ""; Tag tag0 = new Tag(stringArray0); tag0.toString(); tag0.toString(); List<String> list0 = tag0.getTags(); tag0.toString(); tag0.containTag(list0); tag0.toString(); // Undeclared exception! try { tag0.containTag((List<String>) null); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // verifyException("java.util.ArrayList", e); } } @Test(timeout = 4000) public void test6() throws Throwable { String[] stringArray0 = new String[4]; stringArray0[0] = " G=\"'0V"; stringArray0[1] = ""; stringArray0[2] = "szXOW338y2YHdQXoj__"; stringArray0[3] = " "; Tag tag0 = new Tag(stringArray0); LinkedList<String> linkedList0 = new LinkedList<String>(); linkedList0.add(" G=\"'0V"); linkedList0.add("(&<G!G%{;lB"); linkedList0.pollLast(); linkedList0.add("'fh]8L"); tag0.containTag(linkedList0); tag0.containTag(linkedList0); LinkedList<String> linkedList1 = new LinkedList<String>(); tag0.containTag(linkedList1); List<String> list0 = tag0.getTags(); tag0.containTag(list0); tag0.getTags(); tag0.containTag(list0); tag0.getTags(); tag0.getTags(); tag0.getTags(); List<String> list1 = tag0.getTags(); assertTrue(list1.contains("")); } @Test(timeout = 4000) public void test7() throws Throwable { String[] stringArray0 = new String[3]; stringArray0[0] = "Ef@Q21YqRB"; stringArray0[1] = ""; stringArray0[2] = "J&V2.`OYh%Q?iB"; Tag tag0 = new Tag(stringArray0); List<String> list0 = tag0.getTags(); boolean boolean0 = tag0.containTag(list0); LinkedList<String> linkedList0 = new LinkedList<String>(); linkedList0.addFirst((String) null); boolean boolean1 = tag0.containTag(linkedList0); assertFalse(boolean1 == boolean0); assertFalse(boolean1); tag0.getTags(); String string0 = tag0.toString(); assertEquals("Ef@Q21YqRB J&V2.`OYh%Q?iB", string0); } @Test(timeout = 4000) public void test8() throws Throwable { String[] stringArray0 = new String[2]; stringArray0[0] = "wNV`Z)d"; stringArray0[1] = ""; Tag tag0 = new Tag(stringArray0); tag0.toString(); tag0.toString(); tag0.toString(); LinkedList<String> linkedList0 = new LinkedList<String>(); linkedList0.parallelStream(); linkedList0.add(""); boolean boolean0 = tag0.containTag(linkedList0); linkedList0.add(""); tag0.getTags(); linkedList0.add("i"); tag0.toString(); tag0.containTag(linkedList0); String string0 = tag0.toString(); assertEquals("wNV`Z)d ", string0); tag0.getTags(); tag0.getTags(); boolean boolean1 = tag0.containTag(linkedList0); assertFalse(boolean1 == boolean0); assertFalse(boolean1); List<String> list0 = tag0.getTags(); assertFalse(list0.contains(string0)); } @Test(timeout = 4000) public void test9() throws Throwable { String[] stringArray0 = new String[1]; stringArray0[0] = ""; Tag tag0 = new Tag(stringArray0); LinkedList<String> linkedList0 = new LinkedList<String>(); linkedList0.remove((Object) ""); tag0.toString(); // Undeclared exception! try { tag0.containTag((List<String>) null); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // verifyException("java.util.ArrayList", e); } } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 00:52:30 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 Tag_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 = "Tag"; 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/tmpcmyxptgk"); 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(Tag_ESTest_scaffolding.class.getClassLoader() , "Tag" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Tag_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Tag" ); } }
1,724
InterceptTaskException
/* * This file is part of Bisq. * * Bisq 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. * * Bisq 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 Bisq. If not, see <http://www.gnu.org/licenses/>. */ public class InterceptTaskException extends RuntimeException { public InterceptTaskException(String message) { super(message); } }
.version 52 0 .class public super InterceptTaskException .super java/lang/RuntimeException .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 22 L5 23 .end linenumbertable .end code .end method .sourcefile 'InterceptTaskException.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 17:15:11 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 InterceptTaskException_ESTest extends InterceptTaskException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { InterceptTaskException interceptTaskException0 = new InterceptTaskException("P"); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 17:15: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 InterceptTaskException_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 = "InterceptTaskException"; 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/tmp8rsngknm"); 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(InterceptTaskException_ESTest_scaffolding.class.getClassLoader() , "InterceptTaskException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(InterceptTaskException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "InterceptTaskException" ); } }
1,725
GraphException
/* Copyright (c) 1999, 2000 Brown University, Providence, RI All Rights Reserved Permission to use, copy, modify, and distribute this software and its documentation for any purpose other than its incorporation into a commercial product is hereby granted without fee, provided that the above copyright notice appear in all copies and that both that copyright notice and this permission notice appear in supporting documentation, and that the name of Brown University not be used in advertising or publicity pertaining to distribution of the software without specific, written prior permission. BROWN UNIVERSITY DISCLAIMS ALL WARRANTIES WITH REGARD TO THIS SOFTWARE, INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR ANY PARTICULAR PURPOSE. IN NO EVENT SHALL BROWN UNIVERSITY BE LIABLE FOR ANY SPECIAL, 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. */ /** * <code>jdsl.graph.api</code> package. Not intended ever to be instantiated directly. * * <p>GraphExceptions (and its subclasses) can now take a "cause" to enhance the stack trace. This * should be used if a low-level exception was caught, but could not be resolved -- so a * higher-level exception (this) was thrown. The cause of an exception can be any throwable object. * * @author David Ellis * @author based on a previous version by Benoit Hudson * @version JDSL 2.1.1 * @see Throwable */ public class GraphException extends RuntimeException { public GraphException(String message) { super(message); } public GraphException(String message, Throwable cause) { super(message, cause); } public GraphException(Throwable cause) { super(cause); } }
.version 52 0 .class public super GraphException .super java/lang/RuntimeException .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 48 L5 49 .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/RuntimeException <init> (Ljava/lang/String;Ljava/lang/Throwable;)V L6: return L7: .linenumbertable L0 52 L6 53 .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/RuntimeException <init> (Ljava/lang/Throwable;)V L5: return L6: .linenumbertable L0 56 L5 57 .end linenumbertable .end code .end method .sourcefile 'GraphException.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 17: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 GraphException_ESTest extends GraphException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { GraphException graphException0 = new GraphException("p!XCE{cz]69o:"); GraphException graphException1 = new GraphException("", graphException0); assertFalse(graphException1.equals((Object)graphException0)); } @Test(timeout = 4000) public void test1() throws Throwable { GraphException graphException0 = new GraphException("p!XCE{cz]69o:"); GraphException graphException1 = new GraphException(graphException0); assertFalse(graphException1.equals((Object)graphException0)); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 17: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 GraphException_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 = "GraphException"; 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/tmpk32zdmh2"); 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(GraphException_ESTest_scaffolding.class.getClassLoader() , "GraphException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(GraphException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "GraphException" ); } }
1,726
Server
// Opdrachten week 2, opdracht 4, Evert Kasteel, Klas 2B // Fig. 16.3: Server.java // Set up a Server that will receive a connection // from a client, send a string to the client, // and close the connection. import java.awt.*; import java.io.*; import java.net.*; public class Server extends Frame { TextArea display; public Server() { super("Server"); display = new TextArea(20, 5); add("Center", display); resize(300, 150); show(); } public void runServer() { ServerSocket server; Socket connection; OutputStream output; try { server = new ServerSocket(5000, 100); connection = server.accept(); display.setText("Connection received...\n"); display.appendText("Sending data...\n"); output = connection.getOutputStream(); String s = new String("Connection successful\nSecond line\nThird line of text"); for (int i = 0; i < s.length(); i++) output.write((int) s.charAt(i)); display.appendText("Transmission complete. Closing socket.\n"); connection.close(); } catch (IOException e) { e.printStackTrace(); } } public boolean handleEvent(Event e) { if (e.id == Event.WINDOW_DESTROY) { hide(); dispose(); System.exit(0); } return super.handleEvent(e); } public static void main(String args[]) { Server s = new Server(); s.runServer(); } }
.version 52 0 .class public super Server .super java/awt/Frame .field display Ljava/awt/TextArea; .method public <init> : ()V .code stack 5 locals 1 L0: aload_0 L1: ldc 'Server' L3: invokespecial Method java/awt/Frame <init> (Ljava/lang/String;)V L6: aload_0 L7: new java/awt/TextArea L10: dup L11: bipush 20 L13: iconst_5 L14: invokespecial Method java/awt/TextArea <init> (II)V L17: putfield Field Server display Ljava/awt/TextArea; L20: aload_0 L21: ldc 'Center' L23: aload_0 L24: getfield Field Server display Ljava/awt/TextArea; L27: invokevirtual Method Server add (Ljava/lang/String;Ljava/awt/Component;)Ljava/awt/Component; L30: pop L31: aload_0 L32: sipush 300 L35: sipush 150 L38: invokevirtual Method Server resize (II)V L41: aload_0 L42: invokevirtual Method Server show ()V L45: return L46: .linenumbertable L0 15 L6 16 L20 17 L31 18 L41 19 L45 20 .end linenumbertable .end code .end method .method public runServer : ()V .code stack 4 locals 6 .catch java/io/IOException from L0 to L95 using L98 L0: new java/net/ServerSocket L3: dup L4: sipush 5000 L7: bipush 100 L9: invokespecial Method java/net/ServerSocket <init> (II)V L12: astore_1 L13: aload_1 L14: invokevirtual Method java/net/ServerSocket accept ()Ljava/net/Socket; L17: astore_2 L18: aload_0 L19: getfield Field Server display Ljava/awt/TextArea; L22: ldc 'Connection received...\n' L24: invokevirtual Method java/awt/TextArea setText (Ljava/lang/String;)V L27: aload_0 L28: getfield Field Server display Ljava/awt/TextArea; L31: ldc 'Sending data...\n' L33: invokevirtual Method java/awt/TextArea appendText (Ljava/lang/String;)V L36: aload_2 L37: invokevirtual Method java/net/Socket getOutputStream ()Ljava/io/OutputStream; L40: astore_3 L41: new java/lang/String L44: dup L45: ldc 'Connection successful\nSecond line\nThird line of text' L47: invokespecial Method java/lang/String <init> (Ljava/lang/String;)V L50: astore 4 L52: iconst_0 L53: istore 5 .stack full locals Object Server Object java/net/ServerSocket Object java/net/Socket Object java/io/OutputStream Object java/lang/String Integer stack .end stack L55: iload 5 L57: aload 4 L59: invokevirtual Method java/lang/String length ()I L62: if_icmpge L82 L65: aload_3 L66: aload 4 L68: iload 5 L70: invokevirtual Method java/lang/String charAt (I)C L73: invokevirtual Method java/io/OutputStream write (I)V L76: iinc 5 1 L79: goto L55 .stack chop 1 L82: aload_0 L83: getfield Field Server display Ljava/awt/TextArea; L86: ldc 'Transmission complete. Closing socket.\n' L88: invokevirtual Method java/awt/TextArea appendText (Ljava/lang/String;)V L91: aload_2 L92: invokevirtual Method java/net/Socket close ()V L95: goto L105 .stack full locals Object Server stack Object java/io/IOException .end stack L98: astore 4 L100: aload 4 L102: invokevirtual Method java/io/IOException printStackTrace ()V .stack same L105: return L106: .linenumbertable L0 29 L13 30 L18 31 L27 32 L36 33 L41 34 L52 37 L65 38 L76 37 L82 40 L91 42 L95 46 L98 44 L100 45 L105 47 .end linenumbertable .end code .end method .method public handleEvent : (Ljava/awt/Event;)Z .code stack 2 locals 2 L0: aload_1 L1: getfield Field java/awt/Event id I L4: sipush 201 L7: if_icmpne L22 L10: aload_0 L11: invokevirtual Method Server hide ()V L14: aload_0 L15: invokevirtual Method Server dispose ()V L18: iconst_0 L19: invokestatic Method java/lang/System exit (I)V .stack same L22: aload_0 L23: aload_1 L24: invokespecial Method java/awt/Frame handleEvent (Ljava/awt/Event;)Z L27: ireturn L28: .linenumbertable L0 51 L10 52 L14 53 L18 54 L22 57 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 2 locals 2 L0: new Server L3: dup L4: invokespecial Method Server <init> ()V L7: astore_1 L8: aload_1 L9: invokevirtual Method Server runServer ()V L12: return L13: .linenumbertable L0 62 L8 64 L12 65 .end linenumbertable .end code .end method .sourcefile 'Server.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 22:46:55 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; import java.awt.HeadlessException; 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 Server_ESTest extends Server_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { String[] stringArray0 = new String[1]; // Undeclared exception! try { Server.main(stringArray0); fail("Expecting exception: HeadlessException"); } catch(HeadlessException e) { // // no message in exception (getMessage() returned null) // verifyException("java.awt.GraphicsEnvironment", e); } } @Test(timeout = 4000) public void test1() throws Throwable { Server server0 = null; try { server0 = new Server(); fail("Expecting exception: HeadlessException"); } catch(HeadlessException e) { // // no message in exception (getMessage() returned null) // verifyException("java.awt.GraphicsEnvironment", e); } } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 22:46: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 Server_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 = "Server"; 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/tmpweiymfqe"); 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(Server_ESTest_scaffolding.class.getClassLoader() , "Server" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Server_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Server" ); } }
1,727
NameMatcher
/******************************************************************************* * Copyright (c) 2000, 2007 IBM Corporation and others. * 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: * IBM Corporation - initial API and implementation *******************************************************************************/ public class NameMatcher { /** * Returns a similarity value of the two names. The range of is from 0 to 256. no similarity is * negative * * @param name1 the first name * @param name2 the second name * @return <code>true</code> is returned if the names are similar */ public static boolean isSimilarName(String name1, String name2) { return getSimilarity(name1, name2) >= 0; } /** * Returns a similarity value of the two names. The range of is from 0 to 256. no similarity is * negative * * @param name1 the first name * @param name2 the second name * @return the similarity valuer */ public static int getSimilarity(String name1, String name2) { if (name1.length() > name2.length()) { String tmp = name1; name1 = name2; name2 = tmp; } int name1len = name1.length(); int name2len = name2.length(); int nMatched = 0; int i = 0; while (i < name1len && isSimilarChar(name1.charAt(i), name2.charAt(i))) { i++; nMatched++; } int k = name1len; int diff = name2len - name1len; while (k > i && isSimilarChar(name1.charAt(k - 1), name2.charAt(k + diff - 1))) { k--; nMatched++; } if (nMatched == name2len) { return 200; } if (name2len - nMatched > nMatched) { return -1; } int tolerance = name2len / 4 + 1; return (tolerance - (k - i)) * 256 / tolerance; } private static boolean isSimilarChar(char ch1, char ch2) { return Character.toLowerCase(ch1) == Character.toLowerCase(ch2); } }
.version 52 0 .class public super NameMatcher .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 isSimilarName : (Ljava/lang/String;Ljava/lang/String;)Z .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: invokestatic Method NameMatcher getSimilarity (Ljava/lang/String;Ljava/lang/String;)I L5: iflt L12 L8: iconst_1 L9: goto L13 .stack same L12: iconst_0 .stack stack_1 Integer L13: ireturn L14: .linenumbertable L0 25 .end linenumbertable .end code .end method .method public static getSimilarity : (Ljava/lang/String;Ljava/lang/String;)I .code stack 4 locals 9 L0: aload_0 L1: invokevirtual Method java/lang/String length ()I L4: aload_1 L5: invokevirtual Method java/lang/String length ()I L8: if_icmple L17 L11: aload_0 L12: astore_2 L13: aload_1 L14: astore_0 L15: aload_2 L16: astore_1 .stack same L17: aload_0 L18: invokevirtual Method java/lang/String length ()I L21: istore_2 L22: aload_1 L23: invokevirtual Method java/lang/String length ()I L26: istore_3 L27: iconst_0 L28: istore 4 L30: iconst_0 L31: istore 5 .stack full locals Object java/lang/String Object java/lang/String Integer Integer Integer Integer stack .end stack L33: iload 5 L35: iload_2 L36: if_icmpge L66 L39: aload_0 L40: iload 5 L42: invokevirtual Method java/lang/String charAt (I)C L45: aload_1 L46: iload 5 L48: invokevirtual Method java/lang/String charAt (I)C L51: invokestatic Method NameMatcher isSimilarChar (CC)Z L54: ifeq L66 L57: iinc 5 1 L60: iinc 4 1 L63: goto L33 .stack same L66: iload_2 L67: istore 6 L69: iload_3 L70: iload_2 L71: isub L72: istore 7 .stack append Integer Integer L74: iload 6 L76: iload 5 L78: if_icmple L115 L81: aload_0 L82: iload 6 L84: iconst_1 L85: isub L86: invokevirtual Method java/lang/String charAt (I)C L89: aload_1 L90: iload 6 L92: iload 7 L94: iadd L95: iconst_1 L96: isub L97: invokevirtual Method java/lang/String charAt (I)C L100: invokestatic Method NameMatcher isSimilarChar (CC)Z L103: ifeq L115 L106: iinc 6 -1 L109: iinc 4 1 L112: goto L74 .stack same L115: iload 4 L117: iload_3 L118: if_icmpne L125 L121: sipush 200 L124: ireturn .stack same L125: iload_3 L126: iload 4 L128: isub L129: iload 4 L131: if_icmple L136 L134: iconst_m1 L135: ireturn .stack same L136: iload_3 L137: iconst_4 L138: idiv L139: iconst_1 L140: iadd L141: istore 8 L143: iload 8 L145: iload 6 L147: iload 5 L149: isub L150: isub L151: sipush 256 L154: imul L155: iload 8 L157: idiv L158: ireturn L159: .linenumbertable L0 36 L11 37 L13 38 L15 39 L17 41 L22 42 L27 44 L30 46 L33 47 L57 48 L60 49 L66 52 L69 53 L74 54 L106 55 L109 56 L115 59 L121 60 L125 63 L134 64 L136 67 L143 68 .end linenumbertable .end code .end method .method private static isSimilarChar : (CC)Z .code stack 2 locals 2 L0: iload_0 L1: invokestatic Method java/lang/Character toLowerCase (C)C L4: iload_1 L5: invokestatic Method java/lang/Character toLowerCase (C)C L8: if_icmpne L15 L11: iconst_1 L12: goto L16 .stack same L15: iconst_0 .stack stack_1 Integer L16: ireturn L17: .linenumbertable L0 72 .end linenumbertable .end code .end method .sourcefile 'NameMatcher.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 10:16: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 NameMatcher_ESTest extends NameMatcher_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { int int0 = NameMatcher.getSimilarity("us'e%<N23H1c$|6'l", ""); assertEquals((-1), int0); NameMatcher nameMatcher0 = new NameMatcher(); int int1 = NameMatcher.getSimilarity("", ""); assertEquals(200, int1); boolean boolean0 = NameMatcher.isSimilarName("+nQVuaaNsn", "us'e%<N23H1c$|6'l"); assertFalse(boolean0); } @Test(timeout = 4000) public void test1() throws Throwable { int int0 = NameMatcher.getSimilarity("NameMatcher", "NameMatcher"); assertEquals(200, int0); } @Test(timeout = 4000) public void test2() throws Throwable { int int0 = NameMatcher.getSimilarity("V)/.z@D8IG7lpe\"r", "NameMatcher"); assertEquals((-1), int0); } @Test(timeout = 4000) public void test3() throws Throwable { boolean boolean0 = NameMatcher.isSimilarName("NameMatcher", "<%+?Z"); assertFalse(boolean0); } @Test(timeout = 4000) public void test4() throws Throwable { boolean boolean0 = NameMatcher.isSimilarName("NameMatcher", "NameMatcher"); assertTrue(boolean0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 10:16: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 NameMatcher_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 = "NameMatcher"; 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/tmpfjjfg1mv"); 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(NameMatcher_ESTest_scaffolding.class.getClassLoader() , "NameMatcher" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(NameMatcher_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "NameMatcher" ); } }
1,728
NumberUtils
import java.math.BigDecimal; import java.math.BigInteger; import java.text.NumberFormat; import java.text.ParseException; /** * Miscellaneous utility methods for number conversion and parsing. Mainly for internal use within * the framework; consider Jakarta's Commons Lang for a more comprehensive suite of string * utilities. * * @author Juergen Hoeller * @author Rob Harrop * @since 1.1.2 */ public abstract class NumberUtils { /** * Convert the given number into an instance of the given target class. * * @param number the number to convert * @param targetClass the target class to convert to * @return the converted number * @throws IllegalArgumentException if the target class is not supported (i.e. not a standard * Number subclass as included in the JDK) * @see java.lang.Byte * @see java.lang.Short * @see java.lang.Integer * @see java.lang.Long * @see java.math.BigInteger * @see java.lang.Float * @see java.lang.Double * @see java.math.BigDecimal */ public static Number convertNumberToTargetClass(Number number, Class targetClass) throws IllegalArgumentException { if (targetClass.isInstance(number)) { return number; } else if (targetClass.equals(Byte.class)) { long value = number.longValue(); if (value < Byte.MIN_VALUE || value > Byte.MAX_VALUE) { raiseOverflowException(number, targetClass); } return number.byteValue(); } else if (targetClass.equals(Short.class)) { long value = number.longValue(); if (value < Short.MIN_VALUE || value > Short.MAX_VALUE) { raiseOverflowException(number, targetClass); } return number.shortValue(); } else if (targetClass.equals(Integer.class)) { long value = number.longValue(); if (value < Integer.MIN_VALUE || value > Integer.MAX_VALUE) { raiseOverflowException(number, targetClass); } return number.intValue(); } else if (targetClass.equals(Long.class)) { return number.longValue(); } else if (targetClass.equals(Float.class)) { return number.floatValue(); } else if (targetClass.equals(Double.class)) { return number.doubleValue(); } else if (targetClass.equals(BigInteger.class)) { return BigInteger.valueOf(number.longValue()); } else if (targetClass.equals(BigDecimal.class)) { // using BigDecimal(String) here, to avoid unpredictability of BigDecimal(double) // (see BigDecimal javadoc for details) return new BigDecimal(number.toString()); } else { throw new IllegalArgumentException( "Could not convert number [" + number + "] of type [" + number.getClass().getName() + "] to unknown target class [" + targetClass.getName() + "]"); } } /** * Raise an overflow exception for the given number and target class. * * @param number the number we tried to convert * @param targetClass the target class we tried to convert to */ private static void raiseOverflowException(Number number, Class targetClass) { throw new IllegalArgumentException( "Could not convert number [" + number + "] of type [" + number.getClass().getName() + "] to target class [" + targetClass.getName() + "]: overflow"); } /** * Parse the given text into a number instance of the given target class, using the corresponding * default <code>decode</code> methods. Trims the input <code>String</code> before attempting to * parse the number. Supports numbers in hex format (with leading 0x) and in octal format (with * leading 0). * * @param text the text to convert * @param targetClass the target class to parse into * @return the parsed number * @throws IllegalArgumentException if the target class is not supported (i.e. not a standard * Number subclass as included in the JDK) * @see java.lang.Byte#decode * @see java.lang.Short#decode * @see java.lang.Integer#decode * @see java.lang.Long#decode * @see #decodeBigInteger(String) * @see java.lang.Float#valueOf * @see java.lang.Double#valueOf * @see java.math.BigDecimal#BigDecimal(String) */ public static Number parseNumber(String text, Class targetClass) { String trimmed = text.trim(); if (targetClass.equals(Byte.class)) { return Byte.decode(trimmed); } else if (targetClass.equals(Short.class)) { return Short.decode(trimmed); } else if (targetClass.equals(Integer.class)) { return Integer.decode(trimmed); } else if (targetClass.equals(Long.class)) { return Long.decode(trimmed); } else if (targetClass.equals(BigInteger.class)) { return decodeBigInteger(trimmed); } else if (targetClass.equals(Float.class)) { return Float.valueOf(trimmed); } else if (targetClass.equals(Double.class)) { return Double.valueOf(trimmed); } else if (targetClass.equals(BigDecimal.class) || targetClass.equals(Number.class)) { return new BigDecimal(trimmed); } else { throw new IllegalArgumentException( "Cannot convert String [" + text + "] to target class [" + targetClass.getName() + "]"); } } /** * Parse the given text into a number instance of the given target class, using the given * NumberFormat. Trims the input <code>String</code> before attempting to parse the number. * * @param text the text to convert * @param targetClass the target class to parse into * @param numberFormat the NumberFormat to use for parsing (if <code>null</code>, this method * falls back to <code>parseNumber(String, Class)</code>) * @return the parsed number * @throws IllegalArgumentException if the target class is not supported (i.e. not a standard * Number subclass as included in the JDK) * @see java.text.NumberFormat#parse * @see #convertNumberToTargetClass * @see #parseNumber(String,Class) */ public static Number parseNumber(String text, Class targetClass, NumberFormat numberFormat) { if (numberFormat != null) { try { Number number = numberFormat.parse(text.trim()); return convertNumberToTargetClass(number, targetClass); } catch (ParseException ex) { throw new IllegalArgumentException(ex.getMessage()); } } else { return parseNumber(text, targetClass); } } /** * Decode a {@link java.math.BigInteger} from a {@link String} value. Supports decimal, hex and * octal notation. * * @see BigInteger#BigInteger(String,int) */ private static BigInteger decodeBigInteger(String value) { int radix = 10; int index = 0; boolean negative = false; // Handle minus sign, if present. if (value.startsWith("-")) { negative = true; index++; } // Handle radix specifier, if present. if (value.startsWith("0x", index) || value.startsWith("0X", index)) { index += 2; radix = 16; } else if (value.startsWith("#", index)) { index++; radix = 16; } else if (value.startsWith("0", index) && value.length() > 1 + index) { index++; radix = 8; } BigInteger result = new BigInteger(value.substring(index), radix); return (negative ? result.negate() : result); } }
.version 52 0 .class public super abstract NumberUtils .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 17 .end linenumbertable .end code .end method .method public static convertNumberToTargetClass : (Ljava/lang/Number;Ljava/lang/Class;)Ljava/lang/Number; .code stack 4 locals 4 L0: aload_1 L1: aload_0 L2: invokevirtual Method java/lang/Class isInstance (Ljava/lang/Object;)Z L5: ifeq L10 L8: aload_0 L9: areturn .stack same L10: aload_1 L11: ldc Class java/lang/Byte L13: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z L16: ifeq L53 L19: aload_0 L20: invokevirtual Method java/lang/Number longValue ()J L23: lstore_2 L24: lload_2 L25: ldc2_w -128L L28: lcmp L29: iflt L40 L32: lload_2 L33: ldc2_w 127L L36: lcmp L37: ifle L45 .stack append Long L40: aload_0 L41: aload_1 L42: invokestatic Method NumberUtils raiseOverflowException (Ljava/lang/Number;Ljava/lang/Class;)V .stack same L45: aload_0 L46: invokevirtual Method java/lang/Number byteValue ()B L49: invokestatic Method java/lang/Byte valueOf (B)Ljava/lang/Byte; L52: areturn .stack chop 1 L53: aload_1 L54: ldc Class java/lang/Short L56: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z L59: ifeq L96 L62: aload_0 L63: invokevirtual Method java/lang/Number longValue ()J L66: lstore_2 L67: lload_2 L68: ldc2_w -32768L L71: lcmp L72: iflt L83 L75: lload_2 L76: ldc2_w 32767L L79: lcmp L80: ifle L88 .stack append Long L83: aload_0 L84: aload_1 L85: invokestatic Method NumberUtils raiseOverflowException (Ljava/lang/Number;Ljava/lang/Class;)V .stack same L88: aload_0 L89: invokevirtual Method java/lang/Number shortValue ()S L92: invokestatic Method java/lang/Short valueOf (S)Ljava/lang/Short; L95: areturn .stack chop 1 L96: aload_1 L97: ldc Class java/lang/Integer L99: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z L102: ifeq L139 L105: aload_0 L106: invokevirtual Method java/lang/Number longValue ()J L109: lstore_2 L110: lload_2 L111: ldc2_w -2147483648L L114: lcmp L115: iflt L126 L118: lload_2 L119: ldc2_w 2147483647L L122: lcmp L123: ifle L131 .stack append Long L126: aload_0 L127: aload_1 L128: invokestatic Method NumberUtils raiseOverflowException (Ljava/lang/Number;Ljava/lang/Class;)V .stack same L131: aload_0 L132: invokevirtual Method java/lang/Number intValue ()I L135: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; L138: areturn .stack chop 1 L139: aload_1 L140: ldc Class java/lang/Long L142: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z L145: ifeq L156 L148: aload_0 L149: invokevirtual Method java/lang/Number longValue ()J L152: invokestatic Method java/lang/Long valueOf (J)Ljava/lang/Long; L155: areturn .stack same L156: aload_1 L157: ldc Class java/lang/Float L159: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z L162: ifeq L173 L165: aload_0 L166: invokevirtual Method java/lang/Number floatValue ()F L169: invokestatic Method java/lang/Float valueOf (F)Ljava/lang/Float; L172: areturn .stack same L173: aload_1 L174: ldc Class java/lang/Double L176: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z L179: ifeq L190 L182: aload_0 L183: invokevirtual Method java/lang/Number doubleValue ()D L186: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double; L189: areturn .stack same L190: aload_1 L191: ldc Class java/math/BigInteger L193: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z L196: ifeq L207 L199: aload_0 L200: invokevirtual Method java/lang/Number longValue ()J L203: invokestatic Method java/math/BigInteger valueOf (J)Ljava/math/BigInteger; L206: areturn .stack same L207: aload_1 L208: ldc Class java/math/BigDecimal L210: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z L213: ifeq L228 L216: new java/math/BigDecimal L219: dup L220: aload_0 L221: invokevirtual Method java/lang/Object toString ()Ljava/lang/String; L224: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L227: areturn .stack same L228: new java/lang/IllegalArgumentException L231: dup L232: new java/lang/StringBuilder L235: dup L236: invokespecial Method java/lang/StringBuilder <init> ()V L239: ldc 'Could not convert number [' L241: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L244: aload_0 L245: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder; L248: ldc '] of type [' L250: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L253: aload_0 L254: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; L257: invokevirtual Method java/lang/Class getName ()Ljava/lang/String; L260: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L263: ldc '] to unknown target class [' L265: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L268: aload_1 L269: invokevirtual Method java/lang/Class getName ()Ljava/lang/String; L272: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L275: ldc ']' L277: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L280: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L283: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;)V L286: athrow L287: .linenumbertable L0 39 L8 40 L10 41 L19 42 L24 43 L40 44 L45 46 L53 47 L62 48 L67 49 L83 50 L88 52 L96 53 L105 54 L110 55 L126 56 L131 58 L139 59 L148 60 L156 61 L165 62 L173 63 L182 64 L190 65 L199 66 L207 67 L216 70 L228 72 L254 73 .end linenumbertable .end code .exceptions java/lang/IllegalArgumentException .end method .method private static raiseOverflowException : (Ljava/lang/Number;Ljava/lang/Class;)V .code stack 4 locals 2 L0: new java/lang/IllegalArgumentException L3: dup L4: new java/lang/StringBuilder L7: dup L8: invokespecial Method java/lang/StringBuilder <init> ()V L11: ldc 'Could not convert number [' L13: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L16: aload_0 L17: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder; L20: ldc '] of type [' L22: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L25: aload_0 L26: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; L29: invokevirtual Method java/lang/Class getName ()Ljava/lang/String; L32: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L35: ldc '] to target class [' L37: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L40: aload_1 L41: invokevirtual Method java/lang/Class getName ()Ljava/lang/String; L44: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L47: ldc ']: overflow' L49: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L52: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L55: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;)V L58: athrow L59: .linenumbertable L0 84 L26 85 .end linenumbertable .end code .end method .method public static parseNumber : (Ljava/lang/String;Ljava/lang/Class;)Ljava/lang/Number; .code stack 4 locals 3 L0: aload_0 L1: invokevirtual Method java/lang/String trim ()Ljava/lang/String; L4: astore_2 L5: aload_1 L6: ldc Class java/lang/Byte L8: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z L11: ifeq L19 L14: aload_2 L15: invokestatic Method java/lang/Byte decode (Ljava/lang/String;)Ljava/lang/Byte; L18: areturn .stack append Object java/lang/String L19: aload_1 L20: ldc Class java/lang/Short L22: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z L25: ifeq L33 L28: aload_2 L29: invokestatic Method java/lang/Short decode (Ljava/lang/String;)Ljava/lang/Short; L32: areturn .stack same L33: aload_1 L34: ldc Class java/lang/Integer L36: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z L39: ifeq L47 L42: aload_2 L43: invokestatic Method java/lang/Integer decode (Ljava/lang/String;)Ljava/lang/Integer; L46: areturn .stack same L47: aload_1 L48: ldc Class java/lang/Long L50: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z L53: ifeq L61 L56: aload_2 L57: invokestatic Method java/lang/Long decode (Ljava/lang/String;)Ljava/lang/Long; L60: areturn .stack same L61: aload_1 L62: ldc Class java/math/BigInteger L64: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z L67: ifeq L75 L70: aload_2 L71: invokestatic Method NumberUtils decodeBigInteger (Ljava/lang/String;)Ljava/math/BigInteger; L74: areturn .stack same L75: aload_1 L76: ldc Class java/lang/Float L78: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z L81: ifeq L89 L84: aload_2 L85: invokestatic Method java/lang/Float valueOf (Ljava/lang/String;)Ljava/lang/Float; L88: areturn .stack same L89: aload_1 L90: ldc Class java/lang/Double L92: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z L95: ifeq L103 L98: aload_2 L99: invokestatic Method java/lang/Double valueOf (Ljava/lang/String;)Ljava/lang/Double; L102: areturn .stack same L103: aload_1 L104: ldc Class java/math/BigDecimal L106: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z L109: ifne L121 L112: aload_1 L113: ldc Class java/lang/Number L115: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z L118: ifeq L130 .stack same L121: new java/math/BigDecimal L124: dup L125: aload_2 L126: invokespecial Method java/math/BigDecimal <init> (Ljava/lang/String;)V L129: areturn .stack same L130: new java/lang/IllegalArgumentException L133: dup L134: new java/lang/StringBuilder L137: dup L138: invokespecial Method java/lang/StringBuilder <init> ()V L141: ldc 'Cannot convert String [' L143: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L146: aload_0 L147: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L150: ldc '] to target class [' L152: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L155: aload_1 L156: invokevirtual Method java/lang/Class getName ()Ljava/lang/String; L159: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L162: ldc ']' L164: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L167: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L170: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;)V L173: athrow L174: .linenumbertable L0 109 L5 111 L14 112 L19 113 L28 114 L33 115 L42 116 L47 117 L56 118 L61 119 L70 120 L75 121 L84 122 L89 123 L98 124 L103 125 L121 126 L130 128 L156 129 .end linenumbertable .end code .end method .method public static parseNumber : (Ljava/lang/String;Ljava/lang/Class;Ljava/text/NumberFormat;)Ljava/lang/Number; .code stack 3 locals 4 L0: aload_2 L1: ifnull L32 .catch java/text/ParseException from L4 to L18 using L19 L4: aload_2 L5: aload_0 L6: invokevirtual Method java/lang/String trim ()Ljava/lang/String; L9: invokevirtual Method java/text/NumberFormat parse (Ljava/lang/String;)Ljava/lang/Number; L12: astore_3 L13: aload_3 L14: aload_1 L15: invokestatic Method NumberUtils convertNumberToTargetClass (Ljava/lang/Number;Ljava/lang/Class;)Ljava/lang/Number; L18: areturn .stack stack_1 Object java/text/ParseException L19: astore_3 L20: new java/lang/IllegalArgumentException L23: dup L24: aload_3 L25: invokevirtual Method java/text/ParseException getMessage ()Ljava/lang/String; L28: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;)V L31: athrow .stack same L32: aload_0 L33: aload_1 L34: invokestatic Method NumberUtils parseNumber (Ljava/lang/String;Ljava/lang/Class;)Ljava/lang/Number; L37: areturn L38: .linenumbertable L0 150 L4 152 L13 153 L19 155 L20 156 L32 159 .end linenumbertable .end code .end method .method private static decodeBigInteger : (Ljava/lang/String;)Ljava/math/BigInteger; .code stack 4 locals 5 L0: bipush 10 L2: istore_1 L3: iconst_0 L4: istore_2 L5: iconst_0 L6: istore_3 L7: aload_0 L8: ldc '-' L10: invokevirtual Method java/lang/String startsWith (Ljava/lang/String;)Z L13: ifeq L21 L16: iconst_1 L17: istore_3 L18: iinc 2 1 .stack append Integer Integer Integer L21: aload_0 L22: ldc '0x' L24: iload_2 L25: invokevirtual Method java/lang/String startsWith (Ljava/lang/String;I)Z L28: ifne L41 L31: aload_0 L32: ldc '0X' L34: iload_2 L35: invokevirtual Method java/lang/String startsWith (Ljava/lang/String;I)Z L38: ifeq L50 .stack same L41: iinc 2 2 L44: bipush 16 L46: istore_1 L47: goto L95 .stack same L50: aload_0 L51: ldc '#' L53: iload_2 L54: invokevirtual Method java/lang/String startsWith (Ljava/lang/String;I)Z L57: ifeq L69 L60: iinc 2 1 L63: bipush 16 L65: istore_1 L66: goto L95 .stack same L69: aload_0 L70: ldc '0' L72: iload_2 L73: invokevirtual Method java/lang/String startsWith (Ljava/lang/String;I)Z L76: ifeq L95 L79: aload_0 L80: invokevirtual Method java/lang/String length ()I L83: iconst_1 L84: iload_2 L85: iadd L86: if_icmple L95 L89: iinc 2 1 L92: bipush 8 L94: istore_1 .stack same L95: new java/math/BigInteger L98: dup L99: aload_0 L100: iload_2 L101: invokevirtual Method java/lang/String substring (I)Ljava/lang/String; L104: iload_1 L105: invokespecial Method java/math/BigInteger <init> (Ljava/lang/String;I)V L108: astore 4 L110: iload_3 L111: ifeq L122 L114: aload 4 L116: invokevirtual Method java/math/BigInteger negate ()Ljava/math/BigInteger; L119: goto L124 .stack append Object java/math/BigInteger L122: aload 4 .stack stack_1 Object java/math/BigInteger L124: areturn L125: .linenumbertable L0 170 L3 171 L5 172 L7 175 L16 176 L18 177 L21 181 L41 182 L44 183 L50 184 L60 185 L63 186 L69 187 L89 188 L92 189 L95 192 L110 193 .end linenumbertable .end code .end method .sourcefile 'NumberUtils.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 16:13:41 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; import java.math.BigDecimal; import java.math.BigInteger; import java.text.ChoiceFormat; import java.text.DecimalFormat; import java.text.DecimalFormatSymbols; import java.text.NumberFormat; import java.util.Locale; 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 NumberUtils_ESTest extends NumberUtils_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { BigInteger bigInteger0 = BigInteger.TEN; Class<Short> class0 = Short.class; NumberUtils.convertNumberToTargetClass(bigInteger0, class0); NumberFormat numberFormat0 = NumberFormat.getIntegerInstance(); NumberUtils.parseNumber("8F[A", class0, numberFormat0); // Undeclared exception! try { NumberUtils.parseNumber("8F[A", class0); fail("Expecting exception: NumberFormatException"); } catch(NumberFormatException e) { // // For input string: \"8F[A\" // verifyException("java.lang.NumberFormatException", e); } } @Test(timeout = 4000) public void test01() throws Throwable { Class<String> class0 = String.class; Locale locale0 = Locale.TRADITIONAL_CHINESE; NumberFormat numberFormat0 = NumberFormat.getIntegerInstance(locale0); // Undeclared exception! try { NumberUtils.parseNumber("!z3[T(4PtCMa?", class0, numberFormat0); fail("Expecting exception: IllegalArgumentException"); } catch(IllegalArgumentException e) { // // Unparseable number: \"!z3[T(4PtCMa?\" // verifyException("NumberUtils", e); } } @Test(timeout = 4000) public void test02() throws Throwable { Class<Long> class0 = Long.class; double[] doubleArray0 = new double[7]; doubleArray0[0] = (-66987.0); String[] stringArray0 = new String[7]; stringArray0[0] = "bz/x7@Rh,qlQg+q"; ChoiceFormat choiceFormat0 = new ChoiceFormat(doubleArray0, stringArray0); Number number0 = NumberUtils.parseNumber("bz/x7@Rh,qlQg+q", (Class) class0, (NumberFormat) choiceFormat0); assertEquals((-66987L), number0); } @Test(timeout = 4000) public void test03() throws Throwable { Class<Short> class0 = Short.class; NumberFormat numberFormat0 = NumberFormat.getIntegerInstance(); Number number0 = NumberUtils.parseNumber("8F[A", class0, numberFormat0); assertEquals((short)8, number0); } @Test(timeout = 4000) public void test04() throws Throwable { Class<Short> class0 = Short.class; // Undeclared exception! try { NumberUtils.parseNumber("<08'W/[}", class0, (NumberFormat) null); fail("Expecting exception: NumberFormatException"); } catch(NumberFormatException e) { // // For input string: \"<08'W/[}\" // verifyException("java.lang.NumberFormatException", e); } } @Test(timeout = 4000) public void test05() throws Throwable { Class<Object> class0 = Object.class; // Undeclared exception! try { NumberUtils.parseNumber("", class0); fail("Expecting exception: IllegalArgumentException"); } catch(IllegalArgumentException e) { // // Cannot convert String [] to target class [java.lang.Object] // verifyException("NumberUtils", e); } } @Test(timeout = 4000) public void test06() throws Throwable { Class<BigDecimal> class0 = BigDecimal.class; // Undeclared exception! try { NumberUtils.parseNumber("qU^A8m;WUp\"_)7", class0); fail("Expecting exception: NumberFormatException"); } catch(NumberFormatException e) { // // no message in exception (getMessage() returned null) // verifyException("java.math.BigDecimal", e); } } @Test(timeout = 4000) public void test07() throws Throwable { Class<Float> class0 = Float.class; // Undeclared exception! try { NumberUtils.parseNumber("e-J]sIt", class0); fail("Expecting exception: NumberFormatException"); } catch(NumberFormatException e) { } } @Test(timeout = 4000) public void test08() throws Throwable { Class<Double> class0 = Double.class; Number number0 = NumberUtils.parseNumber("2048", class0); assertEquals(2048.0, number0); } @Test(timeout = 4000) public void test09() throws Throwable { Class<Long> class0 = Long.class; // Undeclared exception! try { NumberUtils.parseNumber("", class0); fail("Expecting exception: NumberFormatException"); } catch(NumberFormatException e) { // // Zero length string // verifyException("java.lang.Long", e); } } @Test(timeout = 4000) public void test10() throws Throwable { Class<Integer> class0 = Integer.class; // Undeclared exception! try { NumberUtils.parseNumber("] to unknown target class [", class0); fail("Expecting exception: NumberFormatException"); } catch(NumberFormatException e) { // // For input string: \"] to unknown target class [\" // verifyException("java.lang.NumberFormatException", e); } } @Test(timeout = 4000) public void test11() throws Throwable { Class<Byte> class0 = Byte.class; // Undeclared exception! try { NumberUtils.parseNumber("", class0); fail("Expecting exception: NumberFormatException"); } catch(NumberFormatException e) { // // Zero length string // verifyException("java.lang.Integer", e); } } @Test(timeout = 4000) public void test12() throws Throwable { Class<BigInteger> class0 = BigInteger.class; // Undeclared exception! try { NumberUtils.parseNumber("", class0); fail("Expecting exception: NumberFormatException"); } catch(NumberFormatException e) { // // Zero length BigInteger // verifyException("java.math.BigInteger", e); } } @Test(timeout = 4000) public void test13() throws Throwable { Double double0 = new Double(0.0); Class<BigDecimal> class0 = BigDecimal.class; try { NumberUtils.convertNumberToTargetClass(double0, class0); fail("Expecting exception: NumberFormatException"); } catch(NumberFormatException e) { // // no message in exception (getMessage() returned null) // verifyException("java.math.BigDecimal", e); } } @Test(timeout = 4000) public void test14() throws Throwable { byte[] byteArray0 = new byte[4]; BigInteger bigInteger0 = new BigInteger(byteArray0); Class<Double> class0 = Double.class; Number number0 = NumberUtils.convertNumberToTargetClass(bigInteger0, class0); Class<String> class1 = String.class; try { NumberUtils.convertNumberToTargetClass(number0, class1); fail("Expecting exception: IllegalArgumentException"); } catch(IllegalArgumentException e) { // // Could not convert number [0.0] of type [java.lang.Double] to unknown target class [java.lang.String] // verifyException("NumberUtils", e); } } @Test(timeout = 4000) public void test15() throws Throwable { BigDecimal bigDecimal0 = BigDecimal.ONE; Class<Float> class0 = Float.class; Number number0 = NumberUtils.convertNumberToTargetClass(bigDecimal0, class0); assertEquals(1.0F, number0); } @Test(timeout = 4000) public void test16() throws Throwable { Double double0 = new Double((-27444.418843963)); Class<Long> class0 = Long.class; Number number0 = NumberUtils.convertNumberToTargetClass(double0, class0); assertEquals((-27444L), number0); } @Test(timeout = 4000) public void test17() throws Throwable { Byte byte0 = new Byte((byte)105); Class<Integer> class0 = Integer.class; Number number0 = NumberUtils.convertNumberToTargetClass(byte0, class0); assertEquals(105, number0); } @Test(timeout = 4000) public void test18() throws Throwable { Class<Short> class0 = Short.class; Number number0 = NumberUtils.convertNumberToTargetClass((byte)0, class0); assertEquals((short)0, number0); } @Test(timeout = 4000) public void test19() throws Throwable { Float float0 = new Float(0.0F); Class<Byte> class0 = Byte.class; NumberUtils.convertNumberToTargetClass(float0, class0); DecimalFormatSymbols decimalFormatSymbols0 = DecimalFormatSymbols.getInstance(); DecimalFormat decimalFormat0 = new DecimalFormat("e", decimalFormatSymbols0); // Undeclared exception! try { NumberUtils.parseNumber("e", (Class) class0, (NumberFormat) decimalFormat0); fail("Expecting exception: IllegalArgumentException"); } catch(IllegalArgumentException e) { // // Unparseable number: \"e\" // verifyException("NumberUtils", e); } } @Test(timeout = 4000) public void test20() throws Throwable { Long long0 = new Long((-32768L)); Class<BigInteger> class0 = BigInteger.class; Number number0 = NumberUtils.convertNumberToTargetClass(long0, class0); assertEquals((short) (-32768), number0.shortValue()); } @Test(timeout = 4000) public void test21() throws Throwable { BigDecimal bigDecimal0 = new BigDecimal((-41897.00774969371)); Class<Object> class0 = Object.class; Number number0 = NumberUtils.convertNumberToTargetClass(bigDecimal0, class0); assertSame(bigDecimal0, number0); } @Test(timeout = 4000) public void test22() throws Throwable { byte[] byteArray0 = new byte[4]; byteArray0[0] = (byte) (-116); BigInteger bigInteger0 = new BigInteger(byteArray0); Class<Byte> class0 = Byte.class; try { NumberUtils.convertNumberToTargetClass(bigInteger0, class0); fail("Expecting exception: IllegalArgumentException"); } catch(IllegalArgumentException e) { // // Could not convert number [-1946157056] of type [java.math.BigInteger] to target class [java.lang.Byte]: overflow // verifyException("NumberUtils", e); } } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 16:13: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 NumberUtils_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 = "NumberUtils"; 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/tmpgajv6inm"); 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(NumberUtils_ESTest_scaffolding.class.getClassLoader() , "NumberUtils" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(NumberUtils_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "NumberUtils" ); } }
1,729
DateUtility
import java.text.DateFormat; import java.text.ParseException; import java.text.SimpleDateFormat; import java.util.Calendar; import java.util.Date; public class DateUtility { public static final String DATE_FORMAT = "yyyy-MM-dd"; public static Date parseStringToDate(String p_dateString) { Date l_parsedDate = null; DateFormat dateFormat = new SimpleDateFormat(DATE_FORMAT); try { l_parsedDate = dateFormat.parse(p_dateString); } catch (ParseException e) { throw new RuntimeException("error parsing date"); } return l_parsedDate; } public static String parseDateToString(Date p_date) { String l_parsedDate = null; DateFormat dateFormat = new SimpleDateFormat(DATE_FORMAT); l_parsedDate = dateFormat.format(p_date); return l_parsedDate; } public static Date getTodayDate() { Date today = Calendar.getInstance().getTime(); return today; // return Date.from( ZonedDateTime.of(LocalDateTime.now(), ZoneId.of("GMT-1")).toInstant() ); } public static Boolean isBeforeCalendarDate(Date p_date1, Date p_date2) { Boolean isBefore = false; Date truncatedDate1 = truncateTime(p_date1); Date truncatedDate2 = truncateTime(p_date2); if (truncatedDate1.before(truncatedDate2)) { isBefore = true; } return isBefore; } public static Boolean isSameCalendarDate(Date p_date1, Date p_date2) { Boolean isSame = false; Date truncatedDate1 = truncateTime(p_date1); Date truncatedDate2 = truncateTime(p_date2); if (truncatedDate1.equals(truncatedDate2)) { isSame = true; } return isSame; } public static Boolean isAfterCalendarDate(Date p_date1, Date p_date2) { Boolean isBefore = false; Date truncatedDate1 = truncateTime(p_date1); Date truncatedDate2 = truncateTime(p_date2); if (truncatedDate1.after(truncatedDate2)) { isBefore = true; } return isBefore; } public static Date truncateTime(Date p_date) { Date truncatedDatetime = parseStringToDate(parseDateToString(p_date)); return truncatedDatetime; } public static Date addYears(Date p_date, int p_numYears) { Calendar calendar = Calendar.getInstance(); calendar.setTime(p_date); calendar.add(Calendar.YEAR, p_numYears); Date newDate = calendar.getTime(); return newDate; } public static Date addDays(Date p_date, int p_numDays) { Calendar calendar = Calendar.getInstance(); calendar.setTime(p_date); calendar.add(Calendar.DATE, p_numDays); Date newDate = calendar.getTime(); return newDate; } }
.version 52 0 .class public super DateUtility .super java/lang/Object .field public static final DATE_FORMAT Ljava/lang/String; = 'yyyy-MM-dd' .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 parseStringToDate : (Ljava/lang/String;)Ljava/util/Date; .code stack 3 locals 4 L0: aconst_null L1: astore_1 L2: new java/text/SimpleDateFormat L5: dup L6: ldc 'yyyy-MM-dd' L8: invokespecial Method java/text/SimpleDateFormat <init> (Ljava/lang/String;)V L11: astore_2 .catch java/text/ParseException from L12 to L18 using L21 L12: aload_2 L13: aload_0 L14: invokevirtual Method java/text/DateFormat parse (Ljava/lang/String;)Ljava/util/Date; L17: astore_1 L18: goto L32 .stack full locals Object java/lang/String Object java/util/Date Object java/text/DateFormat stack Object java/text/ParseException .end stack L21: astore_3 L22: new java/lang/RuntimeException L25: dup L26: ldc 'error parsing date' L28: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V L31: athrow .stack same L32: aload_1 L33: areturn L34: .linenumbertable L0 15 L2 17 L12 19 L18 22 L21 20 L22 21 L32 24 .end linenumbertable .end code .end method .method public static parseDateToString : (Ljava/util/Date;)Ljava/lang/String; .code stack 3 locals 3 L0: aconst_null L1: astore_1 L2: new java/text/SimpleDateFormat L5: dup L6: ldc 'yyyy-MM-dd' L8: invokespecial Method java/text/SimpleDateFormat <init> (Ljava/lang/String;)V L11: astore_2 L12: aload_2 L13: aload_0 L14: invokevirtual Method java/text/DateFormat format (Ljava/util/Date;)Ljava/lang/String; L17: astore_1 L18: aload_1 L19: areturn L20: .linenumbertable L0 28 L2 30 L12 31 L18 33 .end linenumbertable .end code .end method .method public static getTodayDate : ()Ljava/util/Date; .code stack 1 locals 1 L0: invokestatic Method java/util/Calendar getInstance ()Ljava/util/Calendar; L3: invokevirtual Method java/util/Calendar getTime ()Ljava/util/Date; L6: astore_0 L7: aload_0 L8: areturn L9: .linenumbertable L0 37 L7 38 .end linenumbertable .end code .end method .method public static isBeforeCalendarDate : (Ljava/util/Date;Ljava/util/Date;)Ljava/lang/Boolean; .code stack 2 locals 5 L0: iconst_0 L1: invokestatic Method java/lang/Boolean valueOf (Z)Ljava/lang/Boolean; L4: astore_2 L5: aload_0 L6: invokestatic Method DateUtility truncateTime (Ljava/util/Date;)Ljava/util/Date; L9: astore_3 L10: aload_1 L11: invokestatic Method DateUtility truncateTime (Ljava/util/Date;)Ljava/util/Date; L14: astore 4 L16: aload_3 L17: aload 4 L19: invokevirtual Method java/util/Date before (Ljava/util/Date;)Z L22: ifeq L30 L25: iconst_1 L26: invokestatic Method java/lang/Boolean valueOf (Z)Ljava/lang/Boolean; L29: astore_2 .stack append Object java/lang/Boolean Object java/util/Date Object java/util/Date L30: aload_2 L31: areturn L32: .linenumbertable L0 43 L5 45 L10 46 L16 48 L25 49 L30 52 .end linenumbertable .end code .end method .method public static isSameCalendarDate : (Ljava/util/Date;Ljava/util/Date;)Ljava/lang/Boolean; .code stack 2 locals 5 L0: iconst_0 L1: invokestatic Method java/lang/Boolean valueOf (Z)Ljava/lang/Boolean; L4: astore_2 L5: aload_0 L6: invokestatic Method DateUtility truncateTime (Ljava/util/Date;)Ljava/util/Date; L9: astore_3 L10: aload_1 L11: invokestatic Method DateUtility truncateTime (Ljava/util/Date;)Ljava/util/Date; L14: astore 4 L16: aload_3 L17: aload 4 L19: invokevirtual Method java/util/Date equals (Ljava/lang/Object;)Z L22: ifeq L30 L25: iconst_1 L26: invokestatic Method java/lang/Boolean valueOf (Z)Ljava/lang/Boolean; L29: astore_2 .stack append Object java/lang/Boolean Object java/util/Date Object java/util/Date L30: aload_2 L31: areturn L32: .linenumbertable L0 56 L5 58 L10 59 L16 61 L25 62 L30 65 .end linenumbertable .end code .end method .method public static isAfterCalendarDate : (Ljava/util/Date;Ljava/util/Date;)Ljava/lang/Boolean; .code stack 2 locals 5 L0: iconst_0 L1: invokestatic Method java/lang/Boolean valueOf (Z)Ljava/lang/Boolean; L4: astore_2 L5: aload_0 L6: invokestatic Method DateUtility truncateTime (Ljava/util/Date;)Ljava/util/Date; L9: astore_3 L10: aload_1 L11: invokestatic Method DateUtility truncateTime (Ljava/util/Date;)Ljava/util/Date; L14: astore 4 L16: aload_3 L17: aload 4 L19: invokevirtual Method java/util/Date after (Ljava/util/Date;)Z L22: ifeq L30 L25: iconst_1 L26: invokestatic Method java/lang/Boolean valueOf (Z)Ljava/lang/Boolean; L29: astore_2 .stack append Object java/lang/Boolean Object java/util/Date Object java/util/Date L30: aload_2 L31: areturn L32: .linenumbertable L0 69 L5 71 L10 72 L16 74 L25 75 L30 78 .end linenumbertable .end code .end method .method public static truncateTime : (Ljava/util/Date;)Ljava/util/Date; .code stack 1 locals 2 L0: aload_0 L1: invokestatic Method DateUtility parseDateToString (Ljava/util/Date;)Ljava/lang/String; L4: invokestatic Method DateUtility parseStringToDate (Ljava/lang/String;)Ljava/util/Date; L7: astore_1 L8: aload_1 L9: areturn L10: .linenumbertable L0 82 L8 83 .end linenumbertable .end code .end method .method public static addYears : (Ljava/util/Date;I)Ljava/util/Date; .code stack 3 locals 4 L0: invokestatic Method java/util/Calendar getInstance ()Ljava/util/Calendar; L3: astore_2 L4: aload_2 L5: aload_0 L6: invokevirtual Method java/util/Calendar setTime (Ljava/util/Date;)V L9: aload_2 L10: iconst_1 L11: iload_1 L12: invokevirtual Method java/util/Calendar add (II)V L15: aload_2 L16: invokevirtual Method java/util/Calendar getTime ()Ljava/util/Date; L19: astore_3 L20: aload_3 L21: areturn L22: .linenumbertable L0 88 L4 89 L9 90 L15 91 L20 93 .end linenumbertable .end code .end method .method public static addDays : (Ljava/util/Date;I)Ljava/util/Date; .code stack 3 locals 4 L0: invokestatic Method java/util/Calendar getInstance ()Ljava/util/Calendar; L3: astore_2 L4: aload_2 L5: aload_0 L6: invokevirtual Method java/util/Calendar setTime (Ljava/util/Date;)V L9: aload_2 L10: iconst_5 L11: iload_1 L12: invokevirtual Method java/util/Calendar add (II)V L15: aload_2 L16: invokevirtual Method java/util/Calendar getTime ()Ljava/util/Date; L19: astore_3 L20: aload_3 L21: areturn L22: .linenumbertable L0 98 L4 99 L9 100 L15 101 L20 103 .end linenumbertable .end code .end method .sourcefile 'DateUtility.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 04:39:47 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; 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 DateUtility_ESTest extends DateUtility_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { MockDate mockDate0 = new MockDate((-55128), 0, (-55128)); Date date0 = DateUtility.addDays(mockDate0, (-55128)); Date date1 = DateUtility.addYears(date0, (-55128)); assertEquals("Thu Feb 18 00:00:00 GMT 53531", date1.toString()); } @Test(timeout = 4000) public void test1() throws Throwable { // Undeclared exception! try { DateUtility.parseStringToDate("Ua_c2ayl9F"); fail("Expecting exception: RuntimeException"); } catch(RuntimeException e) { // // error parsing date // verifyException("DateUtility", e); } } @Test(timeout = 4000) public void test2() throws Throwable { Date date0 = DateUtility.getTodayDate(); Date date1 = DateUtility.truncateTime(date0); assertNotSame(date0, date1); } @Test(timeout = 4000) public void test3() throws Throwable { MockDate mockDate0 = new MockDate(); String string0 = DateUtility.parseDateToString(mockDate0); assertEquals("2014-02-14", string0); } @Test(timeout = 4000) public void test4() throws Throwable { Date date0 = DateUtility.parseStringToDate("2014-02-14"); assertEquals("Fri Feb 14 20:21:21 GMT 2014", date0.toString()); } @Test(timeout = 4000) public void test5() throws Throwable { MockDate mockDate0 = new MockDate(); Boolean boolean0 = DateUtility.isSameCalendarDate(mockDate0, mockDate0); assertTrue(boolean0); } @Test(timeout = 4000) public void test6() throws Throwable { MockDate mockDate0 = new MockDate(); Boolean boolean0 = DateUtility.isBeforeCalendarDate(mockDate0, mockDate0); assertFalse(boolean0); } @Test(timeout = 4000) public void test7() throws Throwable { DateUtility dateUtility0 = new DateUtility(); } @Test(timeout = 4000) public void test8() throws Throwable { Date date0 = DateUtility.getTodayDate(); DateUtility.isAfterCalendarDate(date0, date0); DateUtility.isSameCalendarDate(date0, date0); MockDate mockDate0 = new MockDate(); DateUtility.addYears(mockDate0, (-40868)); Date date1 = DateUtility.getTodayDate(); assertEquals("Fri Feb 14 20:21:21 GMT 2014", date1.toString()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 04: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 DateUtility_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 = "DateUtility"; 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/tmpyzyytyqs"); 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(DateUtility_ESTest_scaffolding.class.getClassLoader() , "DateUtility" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DateUtility_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "DateUtility" ); } }
1,730
DifferenceOfSquaresCalculator
import java.util.stream.IntStream; public class DifferenceOfSquaresCalculator { public int computeSquareOfSumTo(int i) { int tmpResult = IntStream.rangeClosed(1, i).sum(); return tmpResult * tmpResult; } public int computeSumOfSquaresTo(int i) { return IntStream.rangeClosed(1, i).map(x -> x * x).sum(); } public int computeDifferenceOfSquares(int i) { return computeSquareOfSumTo(i) - computeSumOfSquaresTo(i); } }
.version 52 0 .class public super DifferenceOfSquaresCalculator .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 computeSquareOfSumTo : (I)I .code stack 2 locals 3 L0: iconst_1 L1: iload_1 L2: invokestatic InterfaceMethod java/util/stream/IntStream rangeClosed (II)Ljava/util/stream/IntStream; L5: invokeinterface InterfaceMethod java/util/stream/IntStream sum ()I 1 L10: istore_2 L11: iload_2 L12: iload_2 L13: imul L14: ireturn L15: .linenumbertable L0 5 L11 6 .end linenumbertable .end code .end method .method public computeSumOfSquaresTo : (I)I .code stack 2 locals 2 L0: iconst_1 L1: iload_1 L2: invokestatic InterfaceMethod java/util/stream/IntStream rangeClosed (II)Ljava/util/stream/IntStream; L5: invokedynamic [id4] L10: invokeinterface InterfaceMethod java/util/stream/IntStream map (Ljava/util/function/IntUnaryOperator;)Ljava/util/stream/IntStream; 2 L15: invokeinterface InterfaceMethod java/util/stream/IntStream sum ()I 1 L20: ireturn L21: .linenumbertable L0 10 .end linenumbertable .end code .end method .method public computeDifferenceOfSquares : (I)I .code stack 3 locals 2 L0: aload_0 L1: iload_1 L2: invokevirtual Method DifferenceOfSquaresCalculator computeSquareOfSumTo (I)I L5: aload_0 L6: iload_1 L7: invokevirtual Method DifferenceOfSquaresCalculator computeSumOfSquaresTo (I)I L10: isub L11: ireturn L12: .linenumbertable L0 14 .end linenumbertable .end code .end method .method private static synthetic lambda$computeSumOfSquaresTo$0 : (I)I .code stack 2 locals 1 L0: iload_0 L1: iload_0 L2: imul L3: ireturn L4: .linenumbertable L0 10 .end linenumbertable .end code .end method .sourcefile 'DifferenceOfSquaresCalculator.java' .innerclasses java/lang/invoke/MethodHandles$Lookup java/lang/invoke/MethodHandles Lookup public static final .end innerclasses .const [id4] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory (Ljava/lang/invoke/MethodHandles$Lookup;Ljava/lang/String;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodHandle;Ljava/lang/invoke/MethodType;)Ljava/lang/invoke/CallSite; MethodType (I)I MethodHandle invokeStatic Method DifferenceOfSquaresCalculator lambda$computeSumOfSquaresTo$0 (I)I MethodType (I)I : applyAsInt ()Ljava/util/function/IntUnaryOperator; .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 23:14: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 DifferenceOfSquaresCalculator_ESTest extends DifferenceOfSquaresCalculator_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { DifferenceOfSquaresCalculator differenceOfSquaresCalculator0 = new DifferenceOfSquaresCalculator(); int int0 = differenceOfSquaresCalculator0.computeSumOfSquaresTo(428); assertEquals(26225914, int0); } @Test(timeout = 4000) public void test1() throws Throwable { DifferenceOfSquaresCalculator differenceOfSquaresCalculator0 = new DifferenceOfSquaresCalculator(); int int0 = differenceOfSquaresCalculator0.computeSquareOfSumTo(26225914); assertEquals(679624673, int0); } @Test(timeout = 4000) public void test2() throws Throwable { DifferenceOfSquaresCalculator differenceOfSquaresCalculator0 = new DifferenceOfSquaresCalculator(); int int0 = differenceOfSquaresCalculator0.computeSquareOfSumTo(54900); assertEquals((-2049690108), int0); } @Test(timeout = 4000) public void test3() throws Throwable { DifferenceOfSquaresCalculator differenceOfSquaresCalculator0 = new DifferenceOfSquaresCalculator(); int int0 = differenceOfSquaresCalculator0.computeDifferenceOfSquares(8742); assertEquals(1829423502, int0); } @Test(timeout = 4000) public void test4() throws Throwable { DifferenceOfSquaresCalculator differenceOfSquaresCalculator0 = new DifferenceOfSquaresCalculator(); int int0 = differenceOfSquaresCalculator0.computeDifferenceOfSquares(26225914); assertEquals((-1736019304), int0); } @Test(timeout = 4000) public void test5() throws Throwable { DifferenceOfSquaresCalculator differenceOfSquaresCalculator0 = new DifferenceOfSquaresCalculator(); int int0 = differenceOfSquaresCalculator0.computeSquareOfSumTo((-23269)); assertEquals(0, int0); } @Test(timeout = 4000) public void test6() throws Throwable { DifferenceOfSquaresCalculator differenceOfSquaresCalculator0 = new DifferenceOfSquaresCalculator(); int int0 = differenceOfSquaresCalculator0.computeSumOfSquaresTo(0); assertEquals(0, int0); } @Test(timeout = 4000) public void test7() throws Throwable { DifferenceOfSquaresCalculator differenceOfSquaresCalculator0 = new DifferenceOfSquaresCalculator(); int int0 = differenceOfSquaresCalculator0.computeDifferenceOfSquares((-23269)); assertEquals(0, int0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 23:14: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 DifferenceOfSquaresCalculator_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 = "DifferenceOfSquaresCalculator"; 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/tmp4rcnx0mu"); 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(DifferenceOfSquaresCalculator_ESTest_scaffolding.class.getClassLoader() , "DifferenceOfSquaresCalculator" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DifferenceOfSquaresCalculator_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "DifferenceOfSquaresCalculator" ); } }
1,731
TypeLoc
/** * OSM2GpsMid * * @version $Revision$ ($Name$) * <p>Copyright (C) 2007 Harald Mueller */ /** * @author hmueller */ public class TypeLoc { private byte type; private float lat; private float lon; }
.version 52 0 .class public super TypeLoc .super java/lang/Object .field private type B .field private lat F .field private lon F .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 .sourcefile 'TypeLoc.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 03:30: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 TypeLoc_ESTest extends TypeLoc_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { TypeLoc typeLoc0 = new TypeLoc(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 03:30: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 TypeLoc_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 = "TypeLoc"; 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/tmppv712j3x"); 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(TypeLoc_ESTest_scaffolding.class.getClassLoader() , "TypeLoc" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TypeLoc_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "TypeLoc" ); } }
1,732
WithQuicFixesSingleImport
// Noncompliant [[sc=8;ec=22;quickfixes=qf1]] // fix@qf1 {{Remove the import}} // edit@qf1 [[sl=3;sc=1;el=3;ec=23]] ̣{{}} class WithQuicFixesSingleImport {}
.version 52 0 .class super WithQuicFixesSingleImport .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 7 .end linenumbertable .end code .end method .sourcefile 'WithQuicFixesSingleImport.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 05:25: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 WithQuicFixesSingleImport_ESTest extends WithQuicFixesSingleImport_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { WithQuicFixesSingleImport withQuicFixesSingleImport0 = new WithQuicFixesSingleImport(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 05:25: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 WithQuicFixesSingleImport_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 = "WithQuicFixesSingleImport"; 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/tmpo09azr65"); 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(WithQuicFixesSingleImport_ESTest_scaffolding.class.getClassLoader() , "WithQuicFixesSingleImport" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(WithQuicFixesSingleImport_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "WithQuicFixesSingleImport" ); } }
1,733
EventRepresentation
/* * Copyright 2016 Red Hat Inc. and/or its affiliates and other contributors * as indicated by the @author tags. 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. 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.Map; /** * @author Stan Silvert [email protected] (C) 2016 Red Hat Inc. */ public class EventRepresentation { private long time; private String type; private String realmId; private String clientId; private String userId; private String sessionId; private String ipAddress; private String error; private Map<String, String> details; public long getTime() { return time; } public void setTime(long time) { this.time = time; } public String getType() { return type; } public void setType(String type) { this.type = type; } public String getRealmId() { return realmId; } public void setRealmId(String realmId) { this.realmId = realmId; } public String getClientId() { return clientId; } public void setClientId(String clientId) { this.clientId = clientId; } public String getUserId() { return userId; } public void setUserId(String userId) { this.userId = userId; } public String getSessionId() { return sessionId; } public void setSessionId(String sessionId) { this.sessionId = sessionId; } public String getIpAddress() { return ipAddress; } public void setIpAddress(String ipAddress) { this.ipAddress = ipAddress; } public String getError() { return error; } public void setError(String error) { this.error = error; } public Map<String, String> getDetails() { return details; } public void setDetails(Map<String, String> details) { this.details = details; } @Override public boolean equals(Object o) { if (this == o) return true; if (o == null || getClass() != o.getClass()) return false; EventRepresentation that = (EventRepresentation) o; if (time != that.time) return false; if (type != null ? !type.equals(that.type) : that.type != null) return false; if (realmId != null ? !realmId.equals(that.realmId) : that.realmId != null) return false; if (clientId != null ? !clientId.equals(that.clientId) : that.clientId != null) return false; if (userId != null ? !userId.equals(that.userId) : that.userId != null) return false; if (sessionId != null ? !sessionId.equals(that.sessionId) : that.sessionId != null) return false; if (ipAddress != null ? !ipAddress.equals(that.ipAddress) : that.ipAddress != null) return false; if (error != null ? !error.equals(that.error) : that.error != null) return false; return !(details != null ? !details.equals(that.details) : that.details != null); } @Override public int hashCode() { int result = (int) (time ^ (time >>> 32)); result = 31 * result + (type != null ? type.hashCode() : 0); result = 31 * result + (realmId != null ? realmId.hashCode() : 0); result = 31 * result + (clientId != null ? clientId.hashCode() : 0); result = 31 * result + (userId != null ? userId.hashCode() : 0); result = 31 * result + (sessionId != null ? sessionId.hashCode() : 0); result = 31 * result + (ipAddress != null ? ipAddress.hashCode() : 0); result = 31 * result + (error != null ? error.hashCode() : 0); result = 31 * result + (details != null ? details.hashCode() : 0); return result; } }
.version 52 0 .class public super EventRepresentation .super java/lang/Object .field private time J .field private type Ljava/lang/String; .field private realmId Ljava/lang/String; .field private clientId Ljava/lang/String; .field private userId Ljava/lang/String; .field private sessionId Ljava/lang/String; .field private ipAddress Ljava/lang/String; .field private error Ljava/lang/String; .field private details Ljava/util/Map; .fieldattributes .signature Ljava/util/Map<Ljava/lang/String;Ljava/lang/String;>; .end fieldattributes .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 .end linenumbertable .end code .end method .method public getTime : ()J .code stack 2 locals 1 L0: aload_0 L1: getfield Field EventRepresentation time J L4: lreturn L5: .linenumbertable L0 38 .end linenumbertable .end code .end method .method public setTime : (J)V .code stack 3 locals 3 L0: aload_0 L1: lload_1 L2: putfield Field EventRepresentation time J L5: return L6: .linenumbertable L0 42 L5 43 .end linenumbertable .end code .end method .method public getType : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field EventRepresentation type Ljava/lang/String; L4: areturn L5: .linenumbertable L0 46 .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 EventRepresentation type Ljava/lang/String; L5: return L6: .linenumbertable L0 50 L5 51 .end linenumbertable .end code .end method .method public getRealmId : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field EventRepresentation realmId Ljava/lang/String; L4: areturn L5: .linenumbertable L0 54 .end linenumbertable .end code .end method .method public setRealmId : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field EventRepresentation realmId Ljava/lang/String; L5: return L6: .linenumbertable L0 58 L5 59 .end linenumbertable .end code .end method .method public getClientId : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field EventRepresentation clientId Ljava/lang/String; L4: areturn L5: .linenumbertable L0 62 .end linenumbertable .end code .end method .method public setClientId : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field EventRepresentation clientId Ljava/lang/String; L5: return L6: .linenumbertable L0 66 L5 67 .end linenumbertable .end code .end method .method public getUserId : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field EventRepresentation userId Ljava/lang/String; L4: areturn L5: .linenumbertable L0 70 .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 EventRepresentation userId Ljava/lang/String; L5: return L6: .linenumbertable L0 74 L5 75 .end linenumbertable .end code .end method .method public getSessionId : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field EventRepresentation sessionId Ljava/lang/String; L4: areturn L5: .linenumbertable L0 78 .end linenumbertable .end code .end method .method public setSessionId : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field EventRepresentation sessionId Ljava/lang/String; L5: return L6: .linenumbertable L0 82 L5 83 .end linenumbertable .end code .end method .method public getIpAddress : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field EventRepresentation ipAddress Ljava/lang/String; L4: areturn L5: .linenumbertable L0 86 .end linenumbertable .end code .end method .method public setIpAddress : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field EventRepresentation ipAddress Ljava/lang/String; L5: return L6: .linenumbertable L0 90 L5 91 .end linenumbertable .end code .end method .method public getError : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field EventRepresentation error Ljava/lang/String; L4: areturn L5: .linenumbertable L0 94 .end linenumbertable .end code .end method .method public setError : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field EventRepresentation error Ljava/lang/String; L5: return L6: .linenumbertable L0 98 L5 99 .end linenumbertable .end code .end method .method public getDetails : ()Ljava/util/Map; .code stack 1 locals 1 L0: aload_0 L1: getfield Field EventRepresentation details Ljava/util/Map; L4: areturn L5: .linenumbertable L0 102 .end linenumbertable .end code .signature ()Ljava/util/Map<Ljava/lang/String;Ljava/lang/String;>; .end method .method public setDetails : (Ljava/util/Map;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field EventRepresentation details Ljava/util/Map; L5: return L6: .linenumbertable L0 106 L5 107 .end linenumbertable .end code .signature (Ljava/util/Map<Ljava/lang/String;Ljava/lang/String;>;)V .end method .method public equals : (Ljava/lang/Object;)Z .code stack 4 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 EventRepresentation L28: astore_2 L29: aload_0 L30: getfield Field EventRepresentation time J L33: aload_2 L34: getfield Field EventRepresentation time J L37: lcmp L38: ifeq L43 L41: iconst_0 L42: ireturn .stack append Object EventRepresentation L43: aload_0 L44: getfield Field EventRepresentation type Ljava/lang/String; L47: ifnull L67 L50: aload_0 L51: getfield Field EventRepresentation type Ljava/lang/String; L54: aload_2 L55: getfield Field EventRepresentation type Ljava/lang/String; L58: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L61: ifne L76 L64: goto L74 .stack same L67: aload_2 L68: getfield Field EventRepresentation type Ljava/lang/String; L71: ifnull L76 .stack same L74: iconst_0 L75: ireturn .stack same L76: aload_0 L77: getfield Field EventRepresentation realmId Ljava/lang/String; L80: ifnull L100 L83: aload_0 L84: getfield Field EventRepresentation realmId Ljava/lang/String; L87: aload_2 L88: getfield Field EventRepresentation realmId Ljava/lang/String; L91: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L94: ifne L109 L97: goto L107 .stack same L100: aload_2 L101: getfield Field EventRepresentation realmId Ljava/lang/String; L104: ifnull L109 .stack same L107: iconst_0 L108: ireturn .stack same L109: aload_0 L110: getfield Field EventRepresentation clientId Ljava/lang/String; L113: ifnull L133 L116: aload_0 L117: getfield Field EventRepresentation clientId Ljava/lang/String; L120: aload_2 L121: getfield Field EventRepresentation clientId Ljava/lang/String; L124: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L127: ifne L142 L130: goto L140 .stack same L133: aload_2 L134: getfield Field EventRepresentation clientId Ljava/lang/String; L137: ifnull L142 .stack same L140: iconst_0 L141: ireturn .stack same L142: aload_0 L143: getfield Field EventRepresentation userId Ljava/lang/String; L146: ifnull L166 L149: aload_0 L150: getfield Field EventRepresentation userId Ljava/lang/String; L153: aload_2 L154: getfield Field EventRepresentation userId Ljava/lang/String; L157: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L160: ifne L175 L163: goto L173 .stack same L166: aload_2 L167: getfield Field EventRepresentation userId Ljava/lang/String; L170: ifnull L175 .stack same L173: iconst_0 L174: ireturn .stack same L175: aload_0 L176: getfield Field EventRepresentation sessionId Ljava/lang/String; L179: ifnull L199 L182: aload_0 L183: getfield Field EventRepresentation sessionId Ljava/lang/String; L186: aload_2 L187: getfield Field EventRepresentation sessionId Ljava/lang/String; L190: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L193: ifne L208 L196: goto L206 .stack same L199: aload_2 L200: getfield Field EventRepresentation sessionId Ljava/lang/String; L203: ifnull L208 .stack same L206: iconst_0 L207: ireturn .stack same L208: aload_0 L209: getfield Field EventRepresentation ipAddress Ljava/lang/String; L212: ifnull L232 L215: aload_0 L216: getfield Field EventRepresentation ipAddress Ljava/lang/String; L219: aload_2 L220: getfield Field EventRepresentation ipAddress Ljava/lang/String; L223: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L226: ifne L241 L229: goto L239 .stack same L232: aload_2 L233: getfield Field EventRepresentation ipAddress Ljava/lang/String; L236: ifnull L241 .stack same L239: iconst_0 L240: ireturn .stack same L241: aload_0 L242: getfield Field EventRepresentation error Ljava/lang/String; L245: ifnull L265 L248: aload_0 L249: getfield Field EventRepresentation error Ljava/lang/String; L252: aload_2 L253: getfield Field EventRepresentation error Ljava/lang/String; L256: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L259: ifne L274 L262: goto L272 .stack same L265: aload_2 L266: getfield Field EventRepresentation error Ljava/lang/String; L269: ifnull L274 .stack same L272: iconst_0 L273: ireturn .stack same L274: aload_0 L275: getfield Field EventRepresentation details Ljava/util/Map; L278: ifnull L300 L281: aload_0 L282: getfield Field EventRepresentation details Ljava/util/Map; L285: aload_2 L286: getfield Field EventRepresentation details Ljava/util/Map; L289: invokeinterface InterfaceMethod java/util/Map equals (Ljava/lang/Object;)Z 2 L294: ifne L307 L297: goto L311 .stack same L300: aload_2 L301: getfield Field EventRepresentation details Ljava/util/Map; L304: ifnonnull L311 .stack same L307: iconst_1 L308: goto L312 .stack same L311: iconst_0 .stack stack_1 Integer L312: ireturn L313: .linenumbertable L0 111 L7 112 L24 114 L29 116 L43 117 L76 118 L109 119 L142 120 L175 121 L208 122 L241 123 L274 124 .end linenumbertable .end code .end method .method public hashCode : ()I .code stack 5 locals 2 L0: aload_0 L1: getfield Field EventRepresentation time J L4: aload_0 L5: getfield Field EventRepresentation time J L8: bipush 32 L10: lushr L11: lxor L12: l2i L13: istore_1 L14: bipush 31 L16: iload_1 L17: imul L18: aload_0 L19: getfield Field EventRepresentation type Ljava/lang/String; L22: ifnull L35 L25: aload_0 L26: getfield Field EventRepresentation type Ljava/lang/String; L29: invokevirtual Method java/lang/String hashCode ()I L32: goto L36 .stack full locals Object EventRepresentation Integer stack Integer .end stack L35: iconst_0 .stack full locals Object EventRepresentation Integer stack Integer Integer .end stack L36: iadd L37: istore_1 L38: bipush 31 L40: iload_1 L41: imul L42: aload_0 L43: getfield Field EventRepresentation realmId Ljava/lang/String; L46: ifnull L59 L49: aload_0 L50: getfield Field EventRepresentation realmId Ljava/lang/String; L53: invokevirtual Method java/lang/String hashCode ()I L56: goto L60 .stack stack_1 Integer L59: iconst_0 .stack full locals Object EventRepresentation Integer stack Integer Integer .end stack L60: iadd L61: istore_1 L62: bipush 31 L64: iload_1 L65: imul L66: aload_0 L67: getfield Field EventRepresentation clientId Ljava/lang/String; L70: ifnull L83 L73: aload_0 L74: getfield Field EventRepresentation clientId Ljava/lang/String; L77: invokevirtual Method java/lang/String hashCode ()I L80: goto L84 .stack stack_1 Integer L83: iconst_0 .stack full locals Object EventRepresentation Integer stack Integer Integer .end stack L84: iadd L85: istore_1 L86: bipush 31 L88: iload_1 L89: imul L90: aload_0 L91: getfield Field EventRepresentation userId Ljava/lang/String; L94: ifnull L107 L97: aload_0 L98: getfield Field EventRepresentation userId Ljava/lang/String; L101: invokevirtual Method java/lang/String hashCode ()I L104: goto L108 .stack stack_1 Integer L107: iconst_0 .stack full locals Object EventRepresentation Integer stack Integer Integer .end stack L108: iadd L109: istore_1 L110: bipush 31 L112: iload_1 L113: imul L114: aload_0 L115: getfield Field EventRepresentation sessionId Ljava/lang/String; L118: ifnull L131 L121: aload_0 L122: getfield Field EventRepresentation sessionId Ljava/lang/String; L125: invokevirtual Method java/lang/String hashCode ()I L128: goto L132 .stack stack_1 Integer L131: iconst_0 .stack full locals Object EventRepresentation Integer stack Integer Integer .end stack L132: iadd L133: istore_1 L134: bipush 31 L136: iload_1 L137: imul L138: aload_0 L139: getfield Field EventRepresentation ipAddress Ljava/lang/String; L142: ifnull L155 L145: aload_0 L146: getfield Field EventRepresentation ipAddress Ljava/lang/String; L149: invokevirtual Method java/lang/String hashCode ()I L152: goto L156 .stack stack_1 Integer L155: iconst_0 .stack full locals Object EventRepresentation Integer stack Integer Integer .end stack L156: iadd L157: istore_1 L158: bipush 31 L160: iload_1 L161: imul L162: aload_0 L163: getfield Field EventRepresentation error Ljava/lang/String; L166: ifnull L179 L169: aload_0 L170: getfield Field EventRepresentation error Ljava/lang/String; L173: invokevirtual Method java/lang/String hashCode ()I L176: goto L180 .stack stack_1 Integer L179: iconst_0 .stack full locals Object EventRepresentation Integer stack Integer Integer .end stack L180: iadd L181: istore_1 L182: bipush 31 L184: iload_1 L185: imul L186: aload_0 L187: getfield Field EventRepresentation details Ljava/util/Map; L190: ifnull L205 L193: aload_0 L194: getfield Field EventRepresentation details Ljava/util/Map; L197: invokeinterface InterfaceMethod java/util/Map hashCode ()I 1 L202: goto L206 .stack stack_1 Integer L205: iconst_0 .stack full locals Object EventRepresentation Integer stack Integer Integer .end stack L206: iadd L207: istore_1 L208: iload_1 L209: ireturn L210: .linenumbertable L0 130 L14 131 L38 132 L62 133 L86 134 L110 135 L134 136 L158 137 L182 138 L208 139 .end linenumbertable .end code .end method .sourcefile 'EventRepresentation.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 19:48:12 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import java.util.HashMap; import java.util.Map; 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 EventRepresentation_ESTest extends EventRepresentation_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setSessionId("e9["); eventRepresentation0.hashCode(); } @Test(timeout = 4000) public void test01() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setUserId("V`KuP ~fboC(5Kd("); eventRepresentation0.hashCode(); } @Test(timeout = 4000) public void test02() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setTime((-53546L)); eventRepresentation0.hashCode(); assertEquals((-53546L), eventRepresentation0.getTime()); } @Test(timeout = 4000) public void test03() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); HashMap<String, String> hashMap0 = new HashMap<String, String>(); eventRepresentation0.setDetails(hashMap0); eventRepresentation0.getError(); eventRepresentation0.setRealmId((String) null); EventRepresentation eventRepresentation1 = new EventRepresentation(); boolean boolean0 = eventRepresentation0.equals(eventRepresentation1); assertFalse(boolean0); eventRepresentation1.setRealmId("Z-"); eventRepresentation1.setSessionId("*`K82NOcGI"); eventRepresentation0.setDetails(hashMap0); eventRepresentation1.getSessionId(); eventRepresentation1.getTime(); eventRepresentation0.getType(); eventRepresentation0.getError(); assertFalse(eventRepresentation0.equals((Object)eventRepresentation1)); } @Test(timeout = 4000) public void test04() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); EventRepresentation eventRepresentation1 = new EventRepresentation(); eventRepresentation0.setTime((-1L)); boolean boolean0 = eventRepresentation0.equals(eventRepresentation1); assertEquals((-1L), eventRepresentation0.getTime()); assertFalse(boolean0); } @Test(timeout = 4000) public void test05() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setUserId("V`KuP ~fboC(5Kd("); String string0 = eventRepresentation0.getUserId(); assertEquals("V`KuP ~fboC(5Kd(", string0); } @Test(timeout = 4000) public void test06() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setUserId(""); String string0 = eventRepresentation0.getUserId(); assertEquals("", string0); } @Test(timeout = 4000) public void test07() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setType("j5@"); String string0 = eventRepresentation0.getType(); assertEquals("j5@", string0); } @Test(timeout = 4000) public void test08() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setType(""); String string0 = eventRepresentation0.getType(); assertEquals("", string0); } @Test(timeout = 4000) public void test09() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setTime((-1L)); long long0 = eventRepresentation0.getTime(); assertEquals((-1L), long0); } @Test(timeout = 4000) public void test10() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setSessionId(""); String string0 = eventRepresentation0.getSessionId(); assertEquals("", string0); } @Test(timeout = 4000) public void test11() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setRealmId("Gz|"); String string0 = eventRepresentation0.getRealmId(); assertEquals("Gz|", string0); } @Test(timeout = 4000) public void test12() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setRealmId(""); String string0 = eventRepresentation0.getRealmId(); assertEquals("", string0); } @Test(timeout = 4000) public void test13() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setIpAddress("j5@"); String string0 = eventRepresentation0.getIpAddress(); assertEquals("j5@", string0); } @Test(timeout = 4000) public void test14() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setIpAddress(""); String string0 = eventRepresentation0.getIpAddress(); assertEquals("", string0); } @Test(timeout = 4000) public void test15() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setError("3yV&b`"); String string0 = eventRepresentation0.getError(); assertEquals("3yV&b`", string0); } @Test(timeout = 4000) public void test16() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setError(""); String string0 = eventRepresentation0.getError(); assertEquals("", string0); } @Test(timeout = 4000) public void test17() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); HashMap<String, String> hashMap0 = new HashMap<String, String>(); eventRepresentation0.setDetails(hashMap0); Map<String, String> map0 = eventRepresentation0.getDetails(); assertTrue(map0.isEmpty()); } @Test(timeout = 4000) public void test18() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); HashMap<String, String> hashMap0 = new HashMap<String, String>(); hashMap0.put("", ",l#YXP%uO$"); eventRepresentation0.setDetails(hashMap0); Map<String, String> map0 = eventRepresentation0.getDetails(); assertEquals(1, map0.size()); } @Test(timeout = 4000) public void test19() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setClientId("wGMLqCubtk_9d-)H"); String string0 = eventRepresentation0.getClientId(); assertEquals("wGMLqCubtk_9d-)H", string0); } @Test(timeout = 4000) public void test20() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); HashMap<String, String> hashMap0 = new HashMap<String, String>(); eventRepresentation0.setDetails(hashMap0); eventRepresentation0.hashCode(); } @Test(timeout = 4000) public void test21() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setIpAddress("iY>)yLM8U"); eventRepresentation0.hashCode(); } @Test(timeout = 4000) public void test22() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setClientId("V`KuP ~fboC(5Kd("); eventRepresentation0.hashCode(); } @Test(timeout = 4000) public void test23() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setRealmId("M45c"); eventRepresentation0.hashCode(); } @Test(timeout = 4000) public void test24() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setType("m"); eventRepresentation0.hashCode(); } @Test(timeout = 4000) public void test25() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setUserId(""); EventRepresentation eventRepresentation1 = new EventRepresentation(); eventRepresentation1.setUserId(""); assertTrue(eventRepresentation1.equals((Object)eventRepresentation0)); eventRepresentation1.setSessionId(""); boolean boolean0 = eventRepresentation0.equals(eventRepresentation1); assertFalse(boolean0); } @Test(timeout = 4000) public void test26() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setUserId("EventRepresentation"); EventRepresentation eventRepresentation1 = new EventRepresentation(); boolean boolean0 = eventRepresentation0.equals(eventRepresentation1); assertFalse(boolean0); } @Test(timeout = 4000) public void test27() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setRealmId("M45c"); EventRepresentation eventRepresentation1 = new EventRepresentation(); boolean boolean0 = eventRepresentation0.equals(eventRepresentation1); assertFalse(boolean0); } @Test(timeout = 4000) public void test28() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setTime(51073L); EventRepresentation eventRepresentation1 = new EventRepresentation(); boolean boolean0 = eventRepresentation0.equals(eventRepresentation1); assertEquals(51073L, eventRepresentation0.getTime()); assertFalse(boolean0); } @Test(timeout = 4000) public void test29() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); HashMap<String, String> hashMap0 = new HashMap<String, String>(); hashMap0.put("", ""); String string0 = hashMap0.getOrDefault(eventRepresentation0, ""); assertEquals("", string0); } @Test(timeout = 4000) public void test30() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); EventRepresentation eventRepresentation1 = new EventRepresentation(); boolean boolean0 = eventRepresentation0.equals(eventRepresentation1); assertTrue(boolean0); } @Test(timeout = 4000) public void test31() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); boolean boolean0 = eventRepresentation0.equals((Object) null); assertFalse(boolean0); } @Test(timeout = 4000) public void test32() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setType(""); EventRepresentation eventRepresentation1 = new EventRepresentation(); boolean boolean0 = eventRepresentation0.equals(eventRepresentation1); assertFalse(boolean0); } @Test(timeout = 4000) public void test33() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); String string0 = eventRepresentation0.getUserId(); assertNull(string0); } @Test(timeout = 4000) public void test34() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); String string0 = eventRepresentation0.getSessionId(); assertNull(string0); } @Test(timeout = 4000) public void test35() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); String string0 = eventRepresentation0.getClientId(); assertNull(string0); } @Test(timeout = 4000) public void test36() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setError(""); eventRepresentation0.hashCode(); } @Test(timeout = 4000) public void test37() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setTime(44625L); long long0 = eventRepresentation0.getTime(); assertEquals(44625L, long0); } @Test(timeout = 4000) public void test38() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); Map<String, String> map0 = eventRepresentation0.getDetails(); assertNull(map0); } @Test(timeout = 4000) public void test39() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); eventRepresentation0.setClientId(""); String string0 = eventRepresentation0.getClientId(); assertEquals("", string0); } @Test(timeout = 4000) public void test40() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); String string0 = eventRepresentation0.getRealmId(); assertNull(string0); } @Test(timeout = 4000) public void test41() throws Throwable { EventRepresentation eventRepresentation0 = new EventRepresentation(); String string0 = eventRepresentation0.getIpAddress(); assertNull(string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 19:48: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 EventRepresentation_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 = "EventRepresentation"; 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/tmp93tpipo7"); 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(EventRepresentation_ESTest_scaffolding.class.getClassLoader() , "EventRepresentation" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(EventRepresentation_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "EventRepresentation" ); } }
1,734
GraphicCalculator
/* * 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 Somnath */ public class GraphicCalculator { /** * @param args the command line arguments */ public static void main(String[] args) { // TODO code application logic here } }
.version 52 0 .class public super GraphicCalculator .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 0 locals 1 L0: return L1: .linenumbertable L0 19 .end linenumbertable .end code .end method .sourcefile 'GraphicCalculator.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 16:58: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 GraphicCalculator_ESTest extends GraphicCalculator_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { GraphicCalculator graphicCalculator0 = new GraphicCalculator(); } @Test(timeout = 4000) public void test1() throws Throwable { String[] stringArray0 = new String[6]; GraphicCalculator.main(stringArray0); assertEquals(6, stringArray0.length); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 16:58: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 GraphicCalculator_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 = "GraphicCalculator"; 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/tmp5svq_mwh"); 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(GraphicCalculator_ESTest_scaffolding.class.getClassLoader() , "GraphicCalculator" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(GraphicCalculator_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "GraphicCalculator" ); } }
1,735
ExcelStringUtil
import java.util.regex.Matcher; import java.util.regex.Pattern; public class ExcelStringUtil { // Delim style public static final String DELIM_DEFAULT = "."; private ExcelStringUtil() { // Cannot be instantiated } /** * 将指定对象转换成字符串 * * @param obj 指定对象 * @return 转换后的字符串 */ public static String toString(Object obj) { StringBuffer buffer = new StringBuffer(); if (obj != null) { buffer.append(obj); } return buffer.toString(); } /** * 判断指定字符串是否等于null或空字符串 * * @param str 指定字符串 * @return 如果等于null或空字符串则返回true,否则返回false */ public static boolean isBlank(String str) { return str == null || "".equals(str.trim()); } /** * 判断指定字符串是否不等于null和空字符串 * * @param str 指定字符串 * @return 如果不等于null和空字符串则返回true,否则返回false */ public static boolean isNotBlank(String str) { return !isBlank(str); } /** * 根据默认分隔符获取字符串前缀 * * @param str 指定字符串 * @return 返回前缀字符串 */ public static String getPrefix(String str) { return getPrefix(str, DELIM_DEFAULT); } /** * 根据指定分隔符获取字符串前缀 * * @param str 指定字符串 * @param delim 指定分隔符 * @return 返回字符串前缀 */ public static String getPrefix(String str, String delim) { String prefix = ""; if (isNotBlank(str) && isNotBlank(delim)) { int pos = str.indexOf(delim); if (pos > 0) { prefix = str.substring(0, pos); } } return prefix; } /** * 根据默认分隔符获取字符串后缀 * * @param str 指定字符串 * @return 返回字符串后缀 */ public static String getSuffix(String str) { return getSuffix(str, DELIM_DEFAULT); } /** * 根据指定分隔符获取字符串后缀 * * @param str 指定字符串 * @param delim 指定分隔符 * @return 返回字符串后缀 */ public static String getSuffix(String str, String delim) { String suffix = ""; if (isNotBlank(str) && isNotBlank(delim)) { int pos = str.lastIndexOf(delim); if (pos > 0) { suffix = str.substring(pos + 1); } } return suffix; } /** * 根据指定字符串和重复次数生成新字符串 * * @param str 指定字符串 * @param repeatCount 重复次数 * @return 返回生成的新字符串 */ public static String newString(String str, int repeatCount) { StringBuffer buf = new StringBuffer(); for (int i = 0; i < repeatCount; i++) { buf.append(str); } return buf.toString(); } /** * 隐藏字符串指定位置的字符 * * @param str 指定字符串 * @param index 起始位置 * @param length 字符长度 * @return 返回隐藏字符后的字符串 */ public static String hideChars(String str, int index, int length) { return hideChars(str, index, length, true); } /** * 隐藏字符串指定位置的字符 * * @param str 指定字符串 * @param start 起始位置 * @param end 结束位置 * @param confusion 是否混淆隐藏的字符个数 * @return 返回隐藏字符后的字符串 */ public static String hideChars(String str, int start, int end, boolean confusion) { StringBuffer buf = new StringBuffer(); if (isNotBlank(str)) { int startIndex = Math.min(start, end); int endIndex = Math.max(start, end); // 如果起始位置超出索引范围则默认置为0 if (startIndex < 0 || startIndex > str.length()) { startIndex = 0; } // 如果结束位置超出索引范围则默认置为字符串长度 if (endIndex < 0 || endIndex > str.length()) { endIndex = str.length(); } String temp = newString("*", confusion ? 4 : endIndex - startIndex); buf.append(str).replace(startIndex, endIndex, temp); } return buf.toString(); } /** * 将指定字符串转换成大写 * * @param str 指定字符串 * @return 返回转换后的大写字符串 */ public static String toLowerCase(String str) { StringBuffer buffer = new StringBuffer(str); for (int i = 0; i < buffer.length(); i++) { char c = buffer.charAt(i); buffer.setCharAt(i, Character.toLowerCase(c)); } return buffer.toString(); } /** * 将指定字符串转换成大写 * * @param str 指定字符串 * @return 返回转换后的大写字符串 */ public static String toUpperCase(String str) { StringBuffer buffer = new StringBuffer(str); for (int i = 0; i < buffer.length(); i++) { char c = buffer.charAt(i); buffer.setCharAt(i, Character.toUpperCase(c)); } return buffer.toString(); } /** * 将指定字符串转换成驼峰命名方式 * * @param str 指定字符串 * @return 返回驼峰命名方式 */ public static String toCalmelCase(String str) { StringBuffer buffer = new StringBuffer(str); if (buffer.length() > 0) { // 将首字母转换成小写 char c = buffer.charAt(0); buffer.setCharAt(0, Character.toLowerCase(c)); Pattern p = Pattern.compile("_\\w"); Matcher m = p.matcher(buffer.toString()); while (m.find()) { String temp = m.group(); // 匹配的字符串 int index = buffer.indexOf(temp); // 匹配的位置 // 去除匹配字符串中的下划线,并将剩余字符转换成大写 buffer.replace(index, index + temp.length(), temp.replace("_", "").toUpperCase()); } } return buffer.toString(); } /** * 将指定字符串转换成匈牙利命名方式 * * @param str 指定字符串 * @return 转换后的匈牙利命名方式 */ public static String toHungarianCase(String str) { StringBuffer buffer = new StringBuffer(str); if (buffer.length() > 0) { Pattern p = Pattern.compile("[A-Z]"); Matcher m = p.matcher(buffer.toString()); while (m.find()) { String temp = m.group(); // 匹配的字符串 int index = buffer.indexOf(temp); // 匹配的位置 // 在匹配的字符串前添加下划线,并将其余字符转换成大写 buffer.replace(index, index + temp.length(), (index > 0 ? "_" : "") + temp.toLowerCase()); } } return buffer.toString(); } /** * 将指定字符串首字母转换成大写字母 * * @param str 指定字符串 * @return 返回首字母大写的字符串 */ public static String firstCharUpperCase(String str) { StringBuffer buffer = new StringBuffer(str); if (buffer.length() > 0) { char c = buffer.charAt(0); buffer.setCharAt(0, Character.toUpperCase(c)); } return buffer.toString(); } /** * 将指定数组转换成字符串 * * @param objs 指定数组 * @return 返回转换后的字符串 */ public static String array2String(Object[] objs) { StringBuffer buffer = new StringBuffer(); if (objs != null) { for (int i = 0; i < objs.length; i++) { buffer.append(objs[i]).append(","); } } buffer.deleteCharAt(buffer.length() - 1); return buffer.toString(); } public static void main(String[] args) { String str = "log.text.txt"; System.out.println(getPrefix(str)); System.out.println(getSuffix(str)); System.out.println(hideChars(str, 2, str.length() - 1)); System.out.println(toString(null)); System.out.println(toCalmelCase("rate_limit_exceeded")); System.out.println(toHungarianCase("rateLimitExceeded")); System.out.println(firstCharUpperCase(str)); System.out.println(new StringBuffer().append("")); System.out.println(array2String(new String[] {"a", "b", "c"})); } }
.version 52 0 .class public super ExcelStringUtil .super java/lang/Object .field public static final DELIM_DEFAULT Ljava/lang/String; = '.' .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 11 L4 13 .end linenumbertable .end code .end method .method public static toString : (Ljava/lang/Object;)Ljava/lang/String; .code stack 2 locals 2 L0: new java/lang/StringBuffer L3: dup L4: invokespecial Method java/lang/StringBuffer <init> ()V L7: astore_1 L8: aload_0 L9: ifnull L18 L12: aload_1 L13: aload_0 L14: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/Object;)Ljava/lang/StringBuffer; L17: pop .stack append Object java/lang/StringBuffer L18: aload_1 L19: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String; L22: areturn L23: .linenumbertable L0 23 L8 24 L12 25 L18 27 .end linenumbertable .end code .end method .method public static isBlank : (Ljava/lang/String;)Z .code stack 2 locals 1 L0: aload_0 L1: ifnull L16 L4: ldc '' L6: aload_0 L7: invokevirtual Method java/lang/String trim ()Ljava/lang/String; L10: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L13: ifeq L20 .stack same L16: iconst_1 L17: goto L21 .stack same L20: iconst_0 .stack stack_1 Integer L21: ireturn L22: .linenumbertable L0 38 .end linenumbertable .end code .end method .method public static isNotBlank : (Ljava/lang/String;)Z .code stack 1 locals 1 L0: aload_0 L1: invokestatic Method ExcelStringUtil isBlank (Ljava/lang/String;)Z L4: ifne L11 L7: iconst_1 L8: goto L12 .stack same L11: iconst_0 .stack stack_1 Integer L12: ireturn L13: .linenumbertable L0 49 .end linenumbertable .end code .end method .method public static getPrefix : (Ljava/lang/String;)Ljava/lang/String; .code stack 2 locals 1 L0: aload_0 L1: ldc '.' L3: invokestatic Method ExcelStringUtil getPrefix (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; L6: areturn L7: .linenumbertable L0 60 .end linenumbertable .end code .end method .method public static getPrefix : (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; .code stack 3 locals 4 L0: ldc '' L2: astore_2 L3: aload_0 L4: invokestatic Method ExcelStringUtil isNotBlank (Ljava/lang/String;)Z L7: ifeq L34 L10: aload_1 L11: invokestatic Method ExcelStringUtil isNotBlank (Ljava/lang/String;)Z L14: ifeq L34 L17: aload_0 L18: aload_1 L19: invokevirtual Method java/lang/String indexOf (Ljava/lang/String;)I L22: istore_3 L23: iload_3 L24: ifle L34 L27: aload_0 L28: iconst_0 L29: iload_3 L30: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L33: astore_2 .stack append Object java/lang/String L34: aload_2 L35: areturn L36: .linenumbertable L0 73 L3 74 L17 75 L23 76 L27 77 L34 80 .end linenumbertable .end code .end method .method public static getSuffix : (Ljava/lang/String;)Ljava/lang/String; .code stack 2 locals 1 L0: aload_0 L1: ldc '.' L3: invokestatic Method ExcelStringUtil getSuffix (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; L6: areturn L7: .linenumbertable L0 91 .end linenumbertable .end code .end method .method public static getSuffix : (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; .code stack 3 locals 4 L0: ldc '' L2: astore_2 L3: aload_0 L4: invokestatic Method ExcelStringUtil isNotBlank (Ljava/lang/String;)Z L7: ifeq L35 L10: aload_1 L11: invokestatic Method ExcelStringUtil isNotBlank (Ljava/lang/String;)Z L14: ifeq L35 L17: aload_0 L18: aload_1 L19: invokevirtual Method java/lang/String lastIndexOf (Ljava/lang/String;)I L22: istore_3 L23: iload_3 L24: ifle L35 L27: aload_0 L28: iload_3 L29: iconst_1 L30: iadd L31: invokevirtual Method java/lang/String substring (I)Ljava/lang/String; L34: astore_2 .stack append Object java/lang/String L35: aload_2 L36: areturn L37: .linenumbertable L0 104 L3 105 L17 106 L23 107 L27 108 L35 111 .end linenumbertable .end code .end method .method public static newString : (Ljava/lang/String;I)Ljava/lang/String; .code stack 2 locals 4 L0: new java/lang/StringBuffer L3: dup L4: invokespecial Method java/lang/StringBuffer <init> ()V L7: astore_2 L8: iconst_0 L9: istore_3 .stack append Object java/lang/StringBuffer Integer L10: iload_3 L11: iload_1 L12: if_icmpge L27 L15: aload_2 L16: aload_0 L17: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; L20: pop L21: iinc 3 1 L24: goto L10 .stack chop 1 L27: aload_2 L28: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String; L31: areturn L32: .linenumbertable L0 124 L8 125 L15 126 L21 125 L27 128 .end linenumbertable .end code .end method .method public static hideChars : (Ljava/lang/String;II)Ljava/lang/String; .code stack 4 locals 3 L0: aload_0 L1: iload_1 L2: iload_2 L3: iconst_1 L4: invokestatic Method ExcelStringUtil hideChars (Ljava/lang/String;IIZ)Ljava/lang/String; L7: areturn L8: .linenumbertable L0 143 .end linenumbertable .end code .end method .method public static hideChars : (Ljava/lang/String;IIZ)Ljava/lang/String; .code stack 4 locals 8 L0: new java/lang/StringBuffer L3: dup L4: invokespecial Method java/lang/StringBuffer <init> ()V L7: astore 4 L9: aload_0 L10: invokestatic Method ExcelStringUtil isNotBlank (Ljava/lang/String;)Z L13: ifeq L103 L16: iload_1 L17: iload_2 L18: invokestatic Method java/lang/Math min (II)I L21: istore 5 L23: iload_1 L24: iload_2 L25: invokestatic Method java/lang/Math max (II)I L28: istore 6 L30: iload 5 L32: iflt L44 L35: iload 5 L37: aload_0 L38: invokevirtual Method java/lang/String length ()I L41: if_icmple L47 .stack append Object java/lang/StringBuffer Integer Integer L44: iconst_0 L45: istore 5 .stack same L47: iload 6 L49: iflt L61 L52: iload 6 L54: aload_0 L55: invokevirtual Method java/lang/String length ()I L58: if_icmple L67 .stack same L61: aload_0 L62: invokevirtual Method java/lang/String length ()I L65: istore 6 .stack same L67: ldc '*' L69: iload_3 L70: ifeq L77 L73: iconst_4 L74: goto L82 .stack stack_1 Object java/lang/String L77: iload 6 L79: iload 5 L81: isub .stack full locals Object java/lang/String Integer Integer Integer Object java/lang/StringBuffer Integer Integer stack Object java/lang/String Integer .end stack L82: invokestatic Method ExcelStringUtil newString (Ljava/lang/String;I)Ljava/lang/String; L85: astore 7 L87: aload 4 L89: aload_0 L90: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; L93: iload 5 L95: iload 6 L97: aload 7 L99: invokevirtual Method java/lang/StringBuffer replace (IILjava/lang/String;)Ljava/lang/StringBuffer; L102: pop .stack chop 2 L103: aload 4 L105: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String; L108: areturn L109: .linenumbertable L0 161 L9 162 L16 163 L23 164 L30 166 L44 167 L47 170 L61 171 L67 173 L87 174 L103 177 .end linenumbertable .end code .end method .method public static toLowerCase : (Ljava/lang/String;)Ljava/lang/String; .code stack 3 locals 4 L0: new java/lang/StringBuffer L3: dup L4: aload_0 L5: invokespecial Method java/lang/StringBuffer <init> (Ljava/lang/String;)V L8: astore_1 L9: iconst_0 L10: istore_2 .stack append Object java/lang/StringBuffer Integer L11: iload_2 L12: aload_1 L13: invokevirtual Method java/lang/StringBuffer length ()I L16: if_icmpge L40 L19: aload_1 L20: iload_2 L21: invokevirtual Method java/lang/StringBuffer charAt (I)C L24: istore_3 L25: aload_1 L26: iload_2 L27: iload_3 L28: invokestatic Method java/lang/Character toLowerCase (C)C L31: invokevirtual Method java/lang/StringBuffer setCharAt (IC)V L34: iinc 2 1 L37: goto L11 .stack chop 1 L40: aload_1 L41: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String; L44: areturn L45: .linenumbertable L0 188 L9 189 L19 190 L25 191 L34 189 L40 193 .end linenumbertable .end code .end method .method public static toUpperCase : (Ljava/lang/String;)Ljava/lang/String; .code stack 3 locals 4 L0: new java/lang/StringBuffer L3: dup L4: aload_0 L5: invokespecial Method java/lang/StringBuffer <init> (Ljava/lang/String;)V L8: astore_1 L9: iconst_0 L10: istore_2 .stack append Object java/lang/StringBuffer Integer L11: iload_2 L12: aload_1 L13: invokevirtual Method java/lang/StringBuffer length ()I L16: if_icmpge L40 L19: aload_1 L20: iload_2 L21: invokevirtual Method java/lang/StringBuffer charAt (I)C L24: istore_3 L25: aload_1 L26: iload_2 L27: iload_3 L28: invokestatic Method java/lang/Character toUpperCase (C)C L31: invokevirtual Method java/lang/StringBuffer setCharAt (IC)V L34: iinc 2 1 L37: goto L11 .stack chop 1 L40: aload_1 L41: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String; L44: areturn L45: .linenumbertable L0 204 L9 205 L19 206 L25 207 L34 205 L40 209 .end linenumbertable .end code .end method .method public static toCalmelCase : (Ljava/lang/String;)Ljava/lang/String; .code stack 6 locals 7 L0: new java/lang/StringBuffer L3: dup L4: aload_0 L5: invokespecial Method java/lang/StringBuffer <init> (Ljava/lang/String;)V L8: astore_1 L9: aload_1 L10: invokevirtual Method java/lang/StringBuffer length ()I L13: ifle L100 L16: aload_1 L17: iconst_0 L18: invokevirtual Method java/lang/StringBuffer charAt (I)C L21: istore_2 L22: aload_1 L23: iconst_0 L24: iload_2 L25: invokestatic Method java/lang/Character toLowerCase (C)C L28: invokevirtual Method java/lang/StringBuffer setCharAt (IC)V L31: ldc '_\\w' L33: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;)Ljava/util/regex/Pattern; L36: astore_3 L37: aload_3 L38: aload_1 L39: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String; L42: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher; L45: astore 4 .stack full locals Object java/lang/String Object java/lang/StringBuffer Integer Object java/util/regex/Pattern Object java/util/regex/Matcher stack .end stack L47: aload 4 L49: invokevirtual Method java/util/regex/Matcher find ()Z L52: ifeq L100 L55: aload 4 L57: invokevirtual Method java/util/regex/Matcher group ()Ljava/lang/String; L60: astore 5 L62: aload_1 L63: aload 5 L65: invokevirtual Method java/lang/StringBuffer indexOf (Ljava/lang/String;)I L68: istore 6 L70: aload_1 L71: iload 6 L73: iload 6 L75: aload 5 L77: invokevirtual Method java/lang/String length ()I L80: iadd L81: aload 5 L83: ldc '_' L85: ldc '' L87: invokevirtual Method java/lang/String replace (Ljava/lang/CharSequence;Ljava/lang/CharSequence;)Ljava/lang/String; L90: invokevirtual Method java/lang/String toUpperCase ()Ljava/lang/String; L93: invokevirtual Method java/lang/StringBuffer replace (IILjava/lang/String;)Ljava/lang/StringBuffer; L96: pop L97: goto L47 .stack chop 3 L100: aload_1 L101: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String; L104: areturn L105: .linenumbertable L0 220 L9 221 L16 223 L22 224 L31 225 L37 226 L47 227 L55 228 L62 229 L70 231 L87 232 L93 231 L97 233 L100 235 .end linenumbertable .end code .end method .method public static toHungarianCase : (Ljava/lang/String;)Ljava/lang/String; .code stack 5 locals 6 L0: new java/lang/StringBuffer L3: dup L4: aload_0 L5: invokespecial Method java/lang/StringBuffer <init> (Ljava/lang/String;)V L8: astore_1 L9: aload_1 L10: invokevirtual Method java/lang/StringBuffer length ()I L13: ifle L103 L16: ldc '[A-Z]' L18: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;)Ljava/util/regex/Pattern; L21: astore_2 L22: aload_2 L23: aload_1 L24: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String; L27: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher; L30: astore_3 .stack append Object java/lang/StringBuffer Object java/util/regex/Pattern Object java/util/regex/Matcher L31: aload_3 L32: invokevirtual Method java/util/regex/Matcher find ()Z L35: ifeq L103 L38: aload_3 L39: invokevirtual Method java/util/regex/Matcher group ()Ljava/lang/String; L42: astore 4 L44: aload_1 L45: aload 4 L47: invokevirtual Method java/lang/StringBuffer indexOf (Ljava/lang/String;)I L50: istore 5 L52: aload_1 L53: iload 5 L55: iload 5 L57: aload 4 L59: invokevirtual Method java/lang/String length ()I L62: iadd L63: new java/lang/StringBuilder L66: dup L67: invokespecial Method java/lang/StringBuilder <init> ()V L70: iload 5 L72: ifle L80 L75: ldc '_' L77: goto L82 .stack full locals Object java/lang/String Object java/lang/StringBuffer Object java/util/regex/Pattern Object java/util/regex/Matcher Object java/lang/String Integer stack Object java/lang/StringBuffer Integer Integer Object java/lang/StringBuilder .end stack L80: ldc '' .stack full locals Object java/lang/String Object java/lang/StringBuffer Object java/util/regex/Pattern Object java/util/regex/Matcher Object java/lang/String Integer stack Object java/lang/StringBuffer Integer Integer Object java/lang/StringBuilder Object java/lang/String .end stack L82: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L85: aload 4 L87: invokevirtual Method java/lang/String toLowerCase ()Ljava/lang/String; 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/lang/StringBuffer replace (IILjava/lang/String;)Ljava/lang/StringBuffer; L99: pop L100: goto L31 .stack full locals Object java/lang/String Object java/lang/StringBuffer stack .end stack L103: aload_1 L104: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String; L107: areturn L108: .linenumbertable L0 246 L9 247 L16 248 L22 249 L31 250 L38 251 L44 252 L52 254 L87 256 L96 254 L100 257 L103 259 .end linenumbertable .end code .end method .method public static firstCharUpperCase : (Ljava/lang/String;)Ljava/lang/String; .code stack 3 locals 3 L0: new java/lang/StringBuffer L3: dup L4: aload_0 L5: invokespecial Method java/lang/StringBuffer <init> (Ljava/lang/String;)V L8: astore_1 L9: aload_1 L10: invokevirtual Method java/lang/StringBuffer length ()I L13: ifle L31 L16: aload_1 L17: iconst_0 L18: invokevirtual Method java/lang/StringBuffer charAt (I)C L21: istore_2 L22: aload_1 L23: iconst_0 L24: iload_2 L25: invokestatic Method java/lang/Character toUpperCase (C)C L28: invokevirtual Method java/lang/StringBuffer setCharAt (IC)V .stack append Object java/lang/StringBuffer L31: aload_1 L32: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String; L35: areturn L36: .linenumbertable L0 270 L9 271 L16 272 L22 273 L31 275 .end linenumbertable .end code .end method .method public static array2String : ([Ljava/lang/Object;)Ljava/lang/String; .code stack 3 locals 3 L0: new java/lang/StringBuffer L3: dup L4: invokespecial Method java/lang/StringBuffer <init> ()V L7: astore_1 L8: aload_0 L9: ifnull L39 L12: iconst_0 L13: istore_2 .stack append Object java/lang/StringBuffer Integer L14: iload_2 L15: aload_0 L16: arraylength L17: if_icmpge L39 L20: aload_1 L21: aload_0 L22: iload_2 L23: aaload L24: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/Object;)Ljava/lang/StringBuffer; L27: ldc ',' L29: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; L32: pop L33: iinc 2 1 L36: goto L14 .stack chop 1 L39: aload_1 L40: aload_1 L41: invokevirtual Method java/lang/StringBuffer length ()I L44: iconst_1 L45: isub L46: invokevirtual Method java/lang/StringBuffer deleteCharAt (I)Ljava/lang/StringBuffer; L49: pop L50: aload_1 L51: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String; L54: areturn L55: .linenumbertable L0 286 L8 287 L12 288 L20 289 L33 288 L39 292 L50 293 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 5 locals 2 L0: ldc 'log.text.txt' L2: astore_1 L3: getstatic Field java/lang/System out Ljava/io/PrintStream; L6: aload_1 L7: invokestatic Method ExcelStringUtil getPrefix (Ljava/lang/String;)Ljava/lang/String; L10: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L13: getstatic Field java/lang/System out Ljava/io/PrintStream; L16: aload_1 L17: invokestatic Method ExcelStringUtil getSuffix (Ljava/lang/String;)Ljava/lang/String; L20: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L23: getstatic Field java/lang/System out Ljava/io/PrintStream; L26: aload_1 L27: iconst_2 L28: aload_1 L29: invokevirtual Method java/lang/String length ()I L32: iconst_1 L33: isub L34: invokestatic Method ExcelStringUtil hideChars (Ljava/lang/String;II)Ljava/lang/String; L37: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L40: getstatic Field java/lang/System out Ljava/io/PrintStream; L43: aconst_null L44: invokestatic Method ExcelStringUtil toString (Ljava/lang/Object;)Ljava/lang/String; L47: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L50: getstatic Field java/lang/System out Ljava/io/PrintStream; L53: ldc 'rate_limit_exceeded' L55: invokestatic Method ExcelStringUtil toCalmelCase (Ljava/lang/String;)Ljava/lang/String; L58: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L61: getstatic Field java/lang/System out Ljava/io/PrintStream; L64: ldc 'rateLimitExceeded' L66: invokestatic Method ExcelStringUtil toHungarianCase (Ljava/lang/String;)Ljava/lang/String; L69: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L72: getstatic Field java/lang/System out Ljava/io/PrintStream; L75: aload_1 L76: invokestatic Method ExcelStringUtil firstCharUpperCase (Ljava/lang/String;)Ljava/lang/String; L79: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L82: getstatic Field java/lang/System out Ljava/io/PrintStream; L85: new java/lang/StringBuffer L88: dup L89: invokespecial Method java/lang/StringBuffer <init> ()V L92: ldc '' L94: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; L97: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V L100: getstatic Field java/lang/System out Ljava/io/PrintStream; L103: iconst_3 L104: anewarray java/lang/String L107: dup L108: iconst_0 L109: ldc 'a' L111: aastore L112: dup L113: iconst_1 L114: ldc 'b' L116: aastore L117: dup L118: iconst_2 L119: ldc 'c' L121: aastore L122: invokestatic Method ExcelStringUtil array2String ([Ljava/lang/Object;)Ljava/lang/String; L125: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L128: return L129: .linenumbertable L0 297 L3 298 L13 299 L23 300 L40 301 L50 302 L61 303 L72 304 L82 305 L100 306 L128 307 .end linenumbertable .end code .end method .sourcefile 'ExcelStringUtil.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 01:05:46 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 ExcelStringUtil_ESTest extends ExcelStringUtil_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { String string0 = ExcelStringUtil.getSuffix("V@!czw]zA* E?8e", "V@!czw]zA* E?8e"); assertEquals("", string0); String string1 = ExcelStringUtil.hideChars("V@!czw]zA* E?8e", 0, 0); assertEquals("****V@!czw]zA* E?8e", string1); } @Test(timeout = 4000) public void test01() throws Throwable { ExcelStringUtil.getPrefix("0p(AUgh_M2~", ""); ExcelStringUtil.isBlank(""); String[] stringArray0 = new String[7]; stringArray0[0] = ""; stringArray0[1] = "0p(AUgh_M2~"; stringArray0[2] = ""; stringArray0[3] = ""; stringArray0[4] = ""; stringArray0[5] = ""; stringArray0[6] = "0p(AUgh_M2~"; ExcelStringUtil.main(stringArray0); assertEquals(7, stringArray0.length); } @Test(timeout = 4000) public void test02() throws Throwable { String string0 = ExcelStringUtil.firstCharUpperCase("Tt^Uo5,}C'b~Pkt$W!D"); assertEquals("Tt^Uo5,}C'b~Pkt$W!D", string0); ExcelStringUtil.getSuffix((String) null, ""); String string1 = ExcelStringUtil.toString((Object) null); assertEquals("", string1); String string2 = ExcelStringUtil.newString("", 0); assertTrue(string2.equals((Object)string1)); } @Test(timeout = 4000) public void test03() throws Throwable { String string0 = ""; ExcelStringUtil.toUpperCase(""); ExcelStringUtil.hideChars("", 0, (-4864), true); ExcelStringUtil.getSuffix(""); ExcelStringUtil.hideChars("", 14337, 14337, true); ExcelStringUtil.toHungarianCase(""); ExcelStringUtil.hideChars("", 14337, 14337); ExcelStringUtil.isNotBlank("m_!_@bi9U"); ExcelStringUtil.toLowerCase(""); String string1 = ""; ExcelStringUtil.isBlank(""); ExcelStringUtil.isNotBlank("m_!_@bi9U"); ExcelStringUtil.getSuffix("oJ6.s.TQ_VlrAqJ"); ExcelStringUtil.isNotBlank(""); // Undeclared exception! ExcelStringUtil.newString("`p+$2exO,~", 70559); } @Test(timeout = 4000) public void test04() throws Throwable { ExcelStringUtil.isNotBlank("&Pvw"); boolean boolean0 = ExcelStringUtil.isNotBlank("log.text.txt"); assertTrue(boolean0); String string0 = ExcelStringUtil.toUpperCase("(VN7N|o)D'"); assertEquals("(VN7N|O)D'", string0); } @Test(timeout = 4000) public void test05() throws Throwable { ExcelStringUtil.getSuffix((String) null, (String) null); ExcelStringUtil.hideChars("l,eL./hqZb:", (-58150), (-58150), true); ExcelStringUtil.toString((Object) ""); ExcelStringUtil.getPrefix(""); ExcelStringUtil.getSuffix("", ""); ExcelStringUtil.getSuffix(""); ExcelStringUtil.hideChars("", (-14532), (-58150), false); ExcelStringUtil.newString("", (-58150)); ExcelStringUtil.getPrefix(""); int int0 = 0; ExcelStringUtil.newString("09L$*Q>|dRm!qe'[[v ", 0); ExcelStringUtil.getPrefix(""); ExcelStringUtil.toHungarianCase("4F.[oIU8JMtn;)"); ExcelStringUtil.toHungarianCase(""); ExcelStringUtil.main((String[]) null); // Undeclared exception! try { ExcelStringUtil.array2String((Object[]) null); fail("Expecting exception: StringIndexOutOfBoundsException"); } catch(StringIndexOutOfBoundsException e) { // // String index out of range: -1 // verifyException("java.lang.AbstractStringBuilder", e); } } @Test(timeout = 4000) public void test06() throws Throwable { ExcelStringUtil.toHungarianCase("*"); ExcelStringUtil.getPrefix("*", "kV'goEeUyQjJ@, wH`?"); String string0 = ExcelStringUtil.newString("*", (-6789)); String string1 = ExcelStringUtil.getPrefix("*", "*"); assertTrue(string1.equals((Object)string0)); Object object0 = new Object(); String string2 = ExcelStringUtil.toString(object0); ExcelStringUtil.toUpperCase(""); String string3 = ExcelStringUtil.getSuffix("", "kV'goEeUyQjJ@, wH`?"); assertFalse(string3.equals((Object)string2)); } @Test(timeout = 4000) public void test07() throws Throwable { ExcelStringUtil.getPrefix(""); ExcelStringUtil.getPrefix("", ""); ExcelStringUtil.newString("", 0); ExcelStringUtil.toLowerCase(""); ExcelStringUtil.getSuffix("", ""); ExcelStringUtil.getPrefix("*"); ExcelStringUtil.getPrefix(""); boolean boolean0 = ExcelStringUtil.isNotBlank(""); assertFalse(boolean0); ExcelStringUtil.toCalmelCase(""); ExcelStringUtil.toString((Object) "a*LL@ts*/STv"); ExcelStringUtil.getSuffix("i|OWo]", ""); ExcelStringUtil.hideChars("", 4, 0, false); ExcelStringUtil.getPrefix(""); String string0 = ExcelStringUtil.toString((Object) "a*LL@ts*/STv"); assertEquals("a*LL@ts*/STv", string0); } @Test(timeout = 4000) public void test08() throws Throwable { String[] stringArray0 = new String[6]; stringArray0[0] = ""; stringArray0[1] = ",`"; stringArray0[2] = ""; stringArray0[3] = ""; stringArray0[4] = ""; stringArray0[5] = "V m1Zggcau[!4(vhk"; ExcelStringUtil.main(stringArray0); ExcelStringUtil.getSuffix(""); ExcelStringUtil.hideChars("", 6044, 6044, false); ExcelStringUtil.getPrefix(""); Object object0 = new Object(); String string0 = ExcelStringUtil.toString(object0); ExcelStringUtil.hideChars("", 6044, 0); ExcelStringUtil.firstCharUpperCase(""); String string1 = ExcelStringUtil.hideChars("java.lang.Object@5ec44ab4", 0, (-46140)); String string2 = ExcelStringUtil.firstCharUpperCase(",`"); assertEquals(",`", string2); ExcelStringUtil.hideChars("", 59005, (-46140)); boolean boolean0 = ExcelStringUtil.isNotBlank(""); assertFalse(boolean0); String string3 = ExcelStringUtil.toLowerCase("OnG#QRM\"cThFy#i6rYu"); assertEquals("ong#qrm\"cthfy#i6ryu", string3); ExcelStringUtil.getSuffix("", ""); String string4 = ExcelStringUtil.getSuffix("****java.lang.Object@5ec44ab4", ",`"); assertFalse(string4.equals((Object)string1)); assertFalse(string4.equals((Object)string0)); } @Test(timeout = 4000) public void test09() throws Throwable { ExcelStringUtil.firstCharUpperCase("a"); Object object0 = new Object(); ExcelStringUtil.toString(object0); ExcelStringUtil.toCalmelCase("java.lang.Object@6bb47e36"); ExcelStringUtil.getPrefix("java.lang.Object@6bb47e36", "Li)PTe![?z"); ExcelStringUtil.toCalmelCase("a"); ExcelStringUtil.newString("", 0); ExcelStringUtil.toCalmelCase(""); ExcelStringUtil.toHungarianCase(""); // Undeclared exception! try { ExcelStringUtil.array2String((Object[]) null); fail("Expecting exception: StringIndexOutOfBoundsException"); } catch(StringIndexOutOfBoundsException e) { // // String index out of range: -1 // verifyException("java.lang.AbstractStringBuilder", e); } } @Test(timeout = 4000) public void test10() throws Throwable { String[] stringArray0 = new String[2]; stringArray0[0] = ""; stringArray0[1] = "p*<)Efk^.}'B"; ExcelStringUtil.main(stringArray0); String string0 = ExcelStringUtil.toUpperCase("_NN"); assertEquals("_NN", string0); ExcelStringUtil.isBlank("$8v"); ExcelStringUtil.main(stringArray0); ExcelStringUtil.toString((Object) "PDP<yx%hlx>H#^-vY"); String string1 = ExcelStringUtil.hideChars("PDP<yx%hlx>H#^-vY", (-48500), (-40907), false); assertEquals("*****************", string1); String string2 = ExcelStringUtil.getSuffix("p*<)Efk^.}'B", "[]&[&z< \"'N"); String string3 = ExcelStringUtil.toString((Object) "p*<)Efk^.}'B"); assertFalse(string3.equals((Object)string2)); } @Test(timeout = 4000) public void test11() throws Throwable { ExcelStringUtil.getSuffix("", ""); ExcelStringUtil.getPrefix(""); boolean boolean0 = ExcelStringUtil.isBlank(""); assertTrue(boolean0); ExcelStringUtil.toLowerCase(""); ExcelStringUtil.getSuffix("", (String) null); String[] stringArray0 = new String[0]; ExcelStringUtil.main(stringArray0); Object object0 = new Object(); String string0 = ExcelStringUtil.toString(object0); String string1 = ExcelStringUtil.firstCharUpperCase("ExcelStringUtil"); assertEquals("ExcelStringUtil", string1); String string2 = ExcelStringUtil.toCalmelCase("P7A7\">xuvZ0xahV1"); assertEquals("p7A7\">xuvZ0xahV1", string2); ExcelStringUtil.newString((String) null, (-1)); String string3 = ExcelStringUtil.getPrefix("ExcelStringUtil"); assertFalse(string3.equals((Object)string0)); String string4 = ExcelStringUtil.hideChars("7=k4=R", 3, 21387, true); assertEquals("7=k****", string4); } @Test(timeout = 4000) public void test12() throws Throwable { ExcelStringUtil.getPrefix((String) null); // Undeclared exception! try { ExcelStringUtil.toLowerCase((String) null); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { } } @Test(timeout = 4000) public void test13() throws Throwable { String string0 = "^g"; ExcelStringUtil.getPrefix("^g"); // Undeclared exception! try { ExcelStringUtil.toLowerCase((String) null); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { } } @Test(timeout = 4000) public void test14() throws Throwable { ExcelStringUtil.getSuffix("", ""); ExcelStringUtil.hideChars("", 3, 0, true); String string0 = ExcelStringUtil.hideChars("D**W4!W\"U#!nU", 3, 3, true); assertEquals("D******W4!W\"U#!nU", string0); String string1 = ExcelStringUtil.toCalmelCase("k\t;AgKtz"); assertEquals("k\t;AgKtz", string1); ExcelStringUtil.hideChars("", (-444), 29213, false); ExcelStringUtil.isBlank(""); String string2 = ExcelStringUtil.hideChars("", (-444), 0, true); ExcelStringUtil.toLowerCase(""); ExcelStringUtil.getPrefix("8Bzp*c#MDijE5B"); ExcelStringUtil.hideChars("", 0, 0); String string3 = ExcelStringUtil.hideChars("48f\"q%)k5z-/9R<", (-53266), 0); assertEquals("****48f\"q%)k5z-/9R<", string3); ExcelStringUtil.getSuffix("@?J+;EVD"); ExcelStringUtil.toString((Object) ""); ExcelStringUtil.getPrefix("C"); ExcelStringUtil.toCalmelCase(""); ExcelStringUtil.isNotBlank(""); String string4 = ExcelStringUtil.getSuffix("39;f*"); assertTrue(string4.equals((Object)string2)); } @Test(timeout = 4000) public void test15() throws Throwable { // Undeclared exception! try { ExcelStringUtil.toUpperCase((String) null); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { } } @Test(timeout = 4000) public void test16() throws Throwable { String string0 = ExcelStringUtil.toCalmelCase(""); ExcelStringUtil.hideChars("hF>p", 0, 0, false); Object[] objectArray0 = new Object[8]; objectArray0[0] = (Object) "hF>p"; objectArray0[1] = (Object) ""; objectArray0[2] = (Object) "hF>p"; objectArray0[3] = (Object) "hF>p"; objectArray0[4] = (Object) ""; Object object0 = new Object(); objectArray0[5] = object0; objectArray0[6] = (Object) "hF>p"; objectArray0[7] = (Object) ""; String string1 = ExcelStringUtil.array2String(objectArray0); assertFalse(string1.equals((Object)string0)); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 01:05: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 ExcelStringUtil_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 = "ExcelStringUtil"; 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/tmpnjbtcynz"); 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(ExcelStringUtil_ESTest_scaffolding.class.getClassLoader() , "ExcelStringUtil" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ExcelStringUtil_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ExcelStringUtil" ); } }
1,736
Lesson11
public class Lesson11 { public static void main(String[] args) { // 不要随意使用+来拼接,有以下四种解决方案 /** 1.预置一个空字符串 eg:""+'a' 2.使用String.valueOf('a')+'b' 3.使用StringBuffer 4.使用printf */ System.out.println('H' + 'a'); // 72+97 System.out.printf("%c%c", 'H', 'a'); // Ha StringBuffer sb = new StringBuffer(); sb.append('H'); sb.append('a'); System.out.println(sb); } }
.version 52 0 .class public super Lesson11 .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 main : ([Ljava/lang/String;)V .code stack 6 locals 2 L0: getstatic Field java/lang/System out Ljava/io/PrintStream; L3: sipush 169 L6: invokevirtual Method java/io/PrintStream println (I)V L9: getstatic Field java/lang/System out Ljava/io/PrintStream; L12: ldc '%c%c' L14: iconst_2 L15: anewarray java/lang/Object L18: dup L19: iconst_0 L20: bipush 72 L22: invokestatic Method java/lang/Character valueOf (C)Ljava/lang/Character; L25: aastore L26: dup L27: iconst_1 L28: bipush 97 L30: invokestatic Method java/lang/Character valueOf (C)Ljava/lang/Character; L33: aastore L34: invokevirtual Method java/io/PrintStream printf (Ljava/lang/String;[Ljava/lang/Object;)Ljava/io/PrintStream; L37: pop L38: new java/lang/StringBuffer L41: dup L42: invokespecial Method java/lang/StringBuffer <init> ()V L45: astore_1 L46: aload_1 L47: bipush 72 L49: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L52: pop L53: aload_1 L54: bipush 97 L56: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L59: pop L60: getstatic Field java/lang/System out Ljava/io/PrintStream; L63: aload_1 L64: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V L67: return L68: .linenumbertable L0 15 L9 16 L38 17 L46 18 L53 19 L60 20 L67 22 .end linenumbertable .end code .end method .sourcefile 'Lesson11.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 03:22: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 Lesson11_ESTest extends Lesson11_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { String[] stringArray0 = new String[0]; Lesson11.main(stringArray0); assertEquals(0, stringArray0.length); } @Test(timeout = 4000) public void test1() throws Throwable { Lesson11 lesson11_0 = new Lesson11(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 03:22: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 Lesson11_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 = "Lesson11"; 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/tmpi3x6e6jk"); 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(Lesson11_ESTest_scaffolding.class.getClassLoader() , "Lesson11" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Lesson11_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Lesson11" ); } }
1,737
ArrayAnagrams
/* * 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. */ import java.util.Arrays; /** * @author djoshi * <p>http://www.geeksforgeeks.org/print-pairs-anagrams-given-array-strings/ * <p>Print all pairs of anagrams in a given array of strings */ public class ArrayAnagrams { private static boolean areAnagram(char[] s1, char[] s2) { if (s1.length != s2.length) { return false; } Arrays.sort(s1); Arrays.sort(s2); for (int i = 0; i < s1.length; i++) { if (s1[i] != s2[i]) { return false; } } return true; } private static void findAllAnagrams(String arr[], int n) { for (int i = 0; i < n; i++) { for (int j = i + 1; j < n; j++) { if (areAnagram(arr[i].toCharArray(), arr[j].toCharArray())) { System.out.println(arr[i] + " is anagram of " + arr[j]); } } } } public static void main(String args[]) { String arr[] = {"geeksquiz", "geeksforgeeks", "abcd", "forgeeksgeeks", "zuiqkeegs"}; int n = arr.length; findAllAnagrams(arr, n); } }
.version 52 0 .class public super ArrayAnagrams .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 19 .end linenumbertable .end code .end method .method private static areAnagram : ([C[C)Z .code stack 3 locals 3 L0: aload_0 L1: arraylength L2: aload_1 L3: arraylength L4: if_icmpeq L9 L7: iconst_0 L8: ireturn .stack same L9: aload_0 L10: invokestatic Method java/util/Arrays sort ([C)V L13: aload_1 L14: invokestatic Method java/util/Arrays sort ([C)V L17: iconst_0 L18: istore_2 .stack append Integer L19: iload_2 L20: aload_0 L21: arraylength L22: if_icmpge L42 L25: aload_0 L26: iload_2 L27: caload L28: aload_1 L29: iload_2 L30: caload L31: if_icmpeq L36 L34: iconst_0 L35: ireturn .stack same L36: iinc 2 1 L39: goto L19 .stack chop 1 L42: iconst_1 L43: ireturn L44: .linenumbertable L0 22 L7 23 L9 26 L13 27 L17 29 L25 30 L34 31 L36 29 L42 35 .end linenumbertable .end code .end method .method private static findAllAnagrams : ([Ljava/lang/String;I)V .code stack 4 locals 4 L0: iconst_0 L1: istore_2 .stack append Integer L2: iload_2 L3: iload_1 L4: if_icmpge L79 L7: iload_2 L8: iconst_1 L9: iadd L10: istore_3 .stack append Integer L11: iload_3 L12: iload_1 L13: if_icmpge L73 L16: aload_0 L17: iload_2 L18: aaload L19: invokevirtual Method java/lang/String toCharArray ()[C L22: aload_0 L23: iload_3 L24: aaload L25: invokevirtual Method java/lang/String toCharArray ()[C L28: invokestatic Method ArrayAnagrams areAnagram ([C[C)Z L31: ifeq L67 L34: getstatic Field java/lang/System out Ljava/io/PrintStream; L37: new java/lang/StringBuilder L40: dup L41: invokespecial Method java/lang/StringBuilder <init> ()V L44: aload_0 L45: iload_2 L46: aaload L47: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L50: ldc ' is anagram of ' L52: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L55: aload_0 L56: iload_3 L57: aaload L58: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L61: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L64: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V .stack same L67: iinc 3 1 L70: goto L11 .stack chop 1 L73: iinc 2 1 L76: goto L2 .stack chop 1 L79: return L80: .linenumbertable L0 39 L7 40 L16 41 L34 42 L67 40 L73 39 L79 46 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 4 locals 3 L0: iconst_5 L1: anewarray java/lang/String L4: dup L5: iconst_0 L6: ldc 'geeksquiz' L8: aastore L9: dup L10: iconst_1 L11: ldc 'geeksforgeeks' L13: aastore L14: dup L15: iconst_2 L16: ldc 'abcd' L18: aastore L19: dup L20: iconst_3 L21: ldc 'forgeeksgeeks' L23: aastore L24: dup L25: iconst_4 L26: ldc 'zuiqkeegs' L28: aastore L29: astore_1 L30: aload_1 L31: arraylength L32: istore_2 L33: aload_1 L34: iload_2 L35: invokestatic Method ArrayAnagrams findAllAnagrams ([Ljava/lang/String;I)V L38: return L39: .linenumbertable L0 49 L30 51 L33 52 L38 53 .end linenumbertable .end code .end method .sourcefile 'ArrayAnagrams.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 04:46: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 ArrayAnagrams_ESTest extends ArrayAnagrams_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { ArrayAnagrams arrayAnagrams0 = new ArrayAnagrams(); String[] stringArray0 = new String[4]; stringArray0[0] = "MT\u0005)\"$=TaiE"; stringArray0[1] = "[E *=]"; stringArray0[2] = ""; stringArray0[3] = "geeksquiz"; ArrayAnagrams.main(stringArray0); assertEquals(4, stringArray0.length); } @Test(timeout = 4000) public void test1() throws Throwable { String[] stringArray0 = new String[5]; stringArray0[0] = "]O}`3LrkH}jv+"; stringArray0[1] = "O62%"; stringArray0[2] = "z:AAMF3S;/Uo]T"; stringArray0[3] = ""; stringArray0[4] = ""; ArrayAnagrams.main(stringArray0); assertEquals(5, stringArray0.length); } @Test(timeout = 4000) public void test2() throws Throwable { String[] stringArray0 = new String[1]; stringArray0[0] = "VjZ'[aKNnW"; ArrayAnagrams.main(stringArray0); String[] stringArray1 = new String[2]; stringArray1[0] = "VjZ'[aKNnW"; stringArray1[1] = "VjZ'[aKNnW"; ArrayAnagrams.main(stringArray1); ArrayAnagrams arrayAnagrams0 = new ArrayAnagrams(); ArrayAnagrams.main(stringArray1); ArrayAnagrams.main(stringArray1); ArrayAnagrams.main(stringArray0); ArrayAnagrams.main(stringArray1); ArrayAnagrams.main(stringArray1); ArrayAnagrams.main(stringArray1); ArrayAnagrams.main(stringArray1); ArrayAnagrams.main(stringArray0); ArrayAnagrams.main(stringArray1); ArrayAnagrams.main(stringArray0); ArrayAnagrams.main(stringArray0); ArrayAnagrams.main(stringArray0); ArrayAnagrams.main(stringArray0); ArrayAnagrams.main(stringArray0); ArrayAnagrams.main(stringArray1); ArrayAnagrams.main(stringArray1); assertEquals(2, stringArray1.length); } @Test(timeout = 4000) public void test3() throws Throwable { ArrayAnagrams arrayAnagrams0 = new ArrayAnagrams(); String[] stringArray0 = new String[3]; stringArray0[0] = ""; stringArray0[1] = "ArrayAnagrams"; stringArray0[2] = ""; ArrayAnagrams.main(stringArray0); String[] stringArray1 = new String[0]; ArrayAnagrams.main(stringArray1); String[] stringArray2 = new String[1]; stringArray2[0] = ""; ArrayAnagrams.main(stringArray2); String[] stringArray3 = new String[1]; stringArray3[0] = ""; ArrayAnagrams.main(stringArray3); ArrayAnagrams.main(stringArray3); assertNotSame(stringArray3, stringArray1); } @Test(timeout = 4000) public void test4() throws Throwable { String[] stringArray0 = new String[2]; stringArray0[0] = "[#<"; stringArray0[1] = ""; ArrayAnagrams.main(stringArray0); ArrayAnagrams.main(stringArray0); ArrayAnagrams.main(stringArray0); ArrayAnagrams.main(stringArray0); ArrayAnagrams.main(stringArray0); ArrayAnagrams arrayAnagrams0 = new ArrayAnagrams(); String[] stringArray1 = new String[9]; stringArray1[0] = ""; stringArray1[1] = ""; stringArray1[2] = "[#<"; stringArray1[3] = "[#<"; stringArray1[4] = ""; stringArray1[5] = ""; stringArray1[6] = "[#<"; stringArray1[7] = ""; stringArray1[8] = ""; ArrayAnagrams.main(stringArray1); ArrayAnagrams.main(stringArray0); ArrayAnagrams.main(stringArray0); ArrayAnagrams.main(stringArray0); ArrayAnagrams.main(stringArray0); ArrayAnagrams.main(stringArray0); ArrayAnagrams.main(stringArray0); ArrayAnagrams.main(stringArray0); ArrayAnagrams.main(stringArray0); ArrayAnagrams.main(stringArray0); ArrayAnagrams.main(stringArray0); ArrayAnagrams.main(stringArray0); ArrayAnagrams.main(stringArray1); ArrayAnagrams.main(stringArray1); assertEquals(9, stringArray1.length); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 04:46: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 ArrayAnagrams_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 = "ArrayAnagrams"; 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/tmpnzha2hss"); 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(ArrayAnagrams_ESTest_scaffolding.class.getClassLoader() , "ArrayAnagrams" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ArrayAnagrams_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ArrayAnagrams" ); } }
1,738
RoleHasUserException
/** Represents a failed attempt to delete a role currently assigned to a user. */ public class RoleHasUserException extends RuntimeException { public RoleHasUserException(String message) { super(message); } }
.version 52 0 .class public super RoleHasUserException .super java/lang/RuntimeException .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 9 L5 10 .end linenumbertable .end code .end method .sourcefile 'RoleHasUserException.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 14:36: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 RoleHasUserException_ESTest extends RoleHasUserException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { RoleHasUserException roleHasUserException0 = new RoleHasUserException("RoleHasUserException"); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 14:36: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 RoleHasUserException_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 = "RoleHasUserException"; 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/tmpplg_7t01"); 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(RoleHasUserException_ESTest_scaffolding.class.getClassLoader() , "RoleHasUserException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RoleHasUserException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "RoleHasUserException" ); } }
1,739
ReentrantLockFair
import java.util.concurrent.TimeUnit; import java.util.concurrent.locks.ReentrantLock; /** * @author heshiyuan * @date 2021/6/7 17:12 */ public class ReentrantLockFair { private ReentrantLock fair = new ReentrantLock(true); public int lockFair() { for (int i = 0; i < 100; i++) { fair.lock(); try { System.out.println(Thread.currentThread().getName() + " " + i); TimeUnit.SECONDS.sleep(1); } catch (Exception e) { } finally { fair.unlock(); } } return 1; } }
.version 52 0 .class public super ReentrantLockFair .super java/lang/Object .field private fair Ljava/util/concurrent/locks/ReentrantLock; .method public <init> : ()V .code stack 4 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: new java/util/concurrent/locks/ReentrantLock L8: dup L9: iconst_1 L10: invokespecial Method java/util/concurrent/locks/ReentrantLock <init> (Z)V L13: putfield Field ReentrantLockFair fair Ljava/util/concurrent/locks/ReentrantLock; L16: return L17: .linenumbertable L0 10 L4 11 .end linenumbertable .end code .end method .method public lockFair : ()I .code stack 3 locals 4 L0: iconst_0 L1: istore_1 .stack append Integer L2: iload_1 L3: bipush 100 L5: if_icmpge L93 L8: aload_0 L9: getfield Field ReentrantLockFair fair Ljava/util/concurrent/locks/ReentrantLock; L12: invokevirtual Method java/util/concurrent/locks/ReentrantLock lock ()V .catch java/lang/Exception from L15 to L56 using L66 .catch [0] from L15 to L56 using L77 L15: getstatic Field java/lang/System out Ljava/io/PrintStream; L18: new java/lang/StringBuilder L21: dup L22: invokespecial Method java/lang/StringBuilder <init> ()V L25: invokestatic Method java/lang/Thread currentThread ()Ljava/lang/Thread; L28: invokevirtual Method java/lang/Thread getName ()Ljava/lang/String; L31: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L34: ldc ' ' L36: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L39: iload_1 L40: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L43: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L46: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L49: getstatic Field java/util/concurrent/TimeUnit SECONDS Ljava/util/concurrent/TimeUnit; L52: lconst_1 L53: invokevirtual Method java/util/concurrent/TimeUnit sleep (J)V L56: aload_0 L57: getfield Field ReentrantLockFair fair Ljava/util/concurrent/locks/ReentrantLock; L60: invokevirtual Method java/util/concurrent/locks/ReentrantLock unlock ()V L63: goto L87 .stack stack_1 Object java/lang/Exception L66: astore_2 L67: aload_0 L68: getfield Field ReentrantLockFair fair Ljava/util/concurrent/locks/ReentrantLock; L71: invokevirtual Method java/util/concurrent/locks/ReentrantLock unlock ()V L74: goto L87 .stack stack_1 Object java/lang/Throwable L77: astore_3 L78: aload_0 L79: getfield Field ReentrantLockFair fair Ljava/util/concurrent/locks/ReentrantLock; L82: invokevirtual Method java/util/concurrent/locks/ReentrantLock unlock ()V L85: aload_3 L86: athrow .stack same L87: iinc 1 1 L90: goto L2 .stack chop 1 L93: iconst_1 L94: ireturn L95: .linenumbertable L0 14 L8 15 L15 17 L49 18 L56 22 L63 23 L66 19 L67 22 L74 23 L77 22 L85 23 L87 14 L93 25 .end linenumbertable .end code .end method .sourcefile 'ReentrantLockFair.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 05:26: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 ReentrantLockFair_ESTest extends ReentrantLockFair_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 05:26:15 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 ReentrantLockFair_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 = "ReentrantLockFair"; 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(ReentrantLockFair_ESTest_scaffolding.class.getClassLoader() , "ReentrantLockFair" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ReentrantLockFair_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ReentrantLockFair" ); } }
1,740
TxtDoc
/** * TxtDoc is the Ascii text representation of the score suitable as input to a word processor for * further formatting */ public class TxtDoc {}
.version 52 0 .class public super TxtDoc .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 .sourcefile 'TxtDoc.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 13:21:36 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 TxtDoc_ESTest extends TxtDoc_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { TxtDoc txtDoc0 = new TxtDoc(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 13:21:36 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 TxtDoc_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 = "TxtDoc"; 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/tmpkkw4zlx0"); 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(TxtDoc_ESTest_scaffolding.class.getClassLoader() , "TxtDoc" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TxtDoc_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "TxtDoc" ); } }
1,741
TwinColSelectConstants
/* * Copyright 2000-2016 Vaadin Ltd. * * 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; @Deprecated public class TwinColSelectConstants implements Serializable { @Deprecated public static final String ATTRIBUTE_LEFT_CAPTION = "lc"; @Deprecated public static final String ATTRIBUTE_RIGHT_CAPTION = "rc"; }
.version 52 0 .class public super TwinColSelectConstants .super java/lang/Object .implements java/io/Serializable .field public static final ATTRIBUTE_LEFT_CAPTION Ljava/lang/String; = 'lc' .fieldattributes .deprecated .runtime visible annotations .annotation Ljava/lang/Deprecated; .end annotation .end runtime .end fieldattributes .field public static final ATTRIBUTE_RIGHT_CAPTION Ljava/lang/String; = 'rc' .fieldattributes .deprecated .runtime visible annotations .annotation Ljava/lang/Deprecated; .end annotation .end runtime .end fieldattributes .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 21 .end linenumbertable .end code .end method .sourcefile 'TwinColSelectConstants.java' .deprecated .runtime visible annotations .annotation Ljava/lang/Deprecated; .end annotation .end runtime .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 11:41:36 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 TwinColSelectConstants_ESTest extends TwinColSelectConstants_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { TwinColSelectConstants twinColSelectConstants0 = new TwinColSelectConstants(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 11:41:36 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 TwinColSelectConstants_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 = "TwinColSelectConstants"; 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/tmpy51kgn15"); 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(TwinColSelectConstants_ESTest_scaffolding.class.getClassLoader() , "TwinColSelectConstants" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TwinColSelectConstants_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "TwinColSelectConstants" ); } }
1,742
Store
public class Store {}
.version 52 0 .class public super Store .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 'Store.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 11:36: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 Store_ESTest extends Store_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Store store0 = new Store(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 11:36:06 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 Store_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 = "Store"; 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/tmpip115xf7"); 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(Store_ESTest_scaffolding.class.getClassLoader() , "Store" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Store_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Store" ); } }
1,743
Solution2
/** Created by Nikitash Pawar on 6/14/2017. */ public class Solution2 { public static void main(String[] args) { String[] a = new String[1]; a[0] = "av"; String[] b = new String[1]; b[0] = "ab"; twins(a, b); /*String[] a=new String[2]; a[0]="cdab"; a[1]="dcab"; String[] b=new String[2]; b[0]="abcd"; b[1]="abcd"; twins(a,b);*/ } static String[] twins(String[] a, String[] b) { String[] out = new String[a.length]; for (int i = 0; i < a.length; i++) { char[] charA = a[i].toCharArray(); char[] charB = b[i].toCharArray(); for (int j = 0; j < charA.length; j++) { for (int k = j + 2; k < charA.length; k = k + 2) { if (charA[j] != charB[k]) { out[i] = "No"; } if (charA[j] == charB[k - 2]) { out[i] = "Yes"; } if (out[i] == "No") { break; } out[i] = "Yes"; } } } if (out.length == 0) { out[0] = "No"; } return out; } }
.version 52 0 .class public super Solution2 .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 static main : ([Ljava/lang/String;)V .code stack 3 locals 3 L0: iconst_1 L1: anewarray java/lang/String L4: astore_1 L5: aload_1 L6: iconst_0 L7: ldc 'av' L9: aastore L10: iconst_1 L11: anewarray java/lang/String L14: astore_2 L15: aload_2 L16: iconst_0 L17: ldc 'ab' L19: aastore L20: aload_1 L21: aload_2 L22: invokestatic Method Solution2 twins ([Ljava/lang/String;[Ljava/lang/String;)[Ljava/lang/String; L25: pop L26: return L27: .linenumbertable L0 10 L5 11 L10 12 L15 13 L20 14 L26 24 .end linenumbertable .end code .end method .method static twins : ([Ljava/lang/String;[Ljava/lang/String;)[Ljava/lang/String; .code stack 4 locals 8 L0: aload_0 L1: arraylength L2: anewarray java/lang/String L5: astore_2 L6: iconst_0 L7: istore_3 .stack append Object [Ljava/lang/String; Integer L8: iload_3 L9: aload_0 L10: arraylength L11: if_icmpge L130 L14: aload_0 L15: iload_3 L16: aaload L17: invokevirtual Method java/lang/String toCharArray ()[C L20: astore 4 L22: aload_1 L23: iload_3 L24: aaload L25: invokevirtual Method java/lang/String toCharArray ()[C L28: astore 5 L30: iconst_0 L31: istore 6 .stack append Object [C Object [C Integer L33: iload 6 L35: aload 4 L37: arraylength L38: if_icmpge L124 L41: iload 6 L43: iconst_2 L44: iadd L45: istore 7 .stack append Integer L47: iload 7 L49: aload 4 L51: arraylength L52: if_icmpge L118 L55: aload 4 L57: iload 6 L59: caload L60: aload 5 L62: iload 7 L64: caload L65: if_icmpeq L73 L68: aload_2 L69: iload_3 L70: ldc 'No' L72: aastore .stack same L73: aload 4 L75: iload 6 L77: caload L78: aload 5 L80: iload 7 L82: iconst_2 L83: isub L84: caload L85: if_icmpne L93 L88: aload_2 L89: iload_3 L90: ldc 'Yes' L92: aastore .stack same L93: aload_2 L94: iload_3 L95: aaload L96: ldc 'No' L98: if_acmpne L104 L101: goto L118 .stack same L104: aload_2 L105: iload_3 L106: ldc 'Yes' L108: aastore L109: iload 7 L111: iconst_2 L112: iadd L113: istore 7 L115: goto L47 .stack chop 1 L118: iinc 6 1 L121: goto L33 .stack chop 3 L124: iinc 3 1 L127: goto L8 .stack chop 1 L130: aload_2 L131: arraylength L132: ifne L140 L135: aload_2 L136: iconst_0 L137: ldc 'No' L139: aastore .stack same L140: aload_2 L141: areturn L142: .linenumbertable L0 28 L6 30 L14 31 L22 32 L30 33 L41 34 L55 36 L68 37 L73 40 L88 41 L93 44 L101 45 L104 47 L109 34 L118 33 L124 30 L130 53 L135 54 L140 57 .end linenumbertable .end code .end method .sourcefile 'Solution2.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 17:33:58 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 Solution2_ESTest extends Solution2_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { String[] stringArray0 = new String[5]; stringArray0[0] = "fMN>QO$*}F9"; stringArray0[1] = "y&z~CD+M+5^Z~]Q22 @"; stringArray0[2] = "tdqWpyapO"; stringArray0[3] = ""; stringArray0[4] = "7g4:a`ttb"; Solution2.main(stringArray0); String[] stringArray1 = new String[2]; stringArray1[0] = "7g4:a`ttb"; stringArray1[1] = "L2a\"jzh? MIv\"s+S"; String[] stringArray2 = Solution2.twins(stringArray1, stringArray1); Solution2.twins(stringArray0, stringArray0); Solution2.main(stringArray0); String[] stringArray3 = new String[8]; stringArray3[0] = "fMN>QO$*}F9"; stringArray3[1] = "y&z~CD+M+5^Z~]Q22 @"; stringArray3[2] = "tdqWpyapO"; stringArray3[3] = "y&z~CD+M+5^Z~]Q22 @"; stringArray3[4] = "tdqWpyapO"; stringArray3[5] = "L2a\"jzh? MIv\"s+S"; stringArray3[6] = ""; stringArray3[7] = "fMN>QO$*}F9"; // Undeclared exception! try { Solution2.twins(stringArray3, stringArray2); fail("Expecting exception: ArrayIndexOutOfBoundsException"); } catch(ArrayIndexOutOfBoundsException e) { // // 3 // verifyException("Solution2", e); } } @Test(timeout = 4000) public void test1() throws Throwable { Solution2 solution2_0 = new Solution2(); String[] stringArray0 = new String[6]; stringArray0[0] = ""; String string0 = "%fg*k}-VQQJ:@.?R"; stringArray0[1] = "%fg*k}-VQQJ:@.?R"; stringArray0[2] = "k_X7y(x?JT`*5"; String string1 = "{g_naf"; stringArray0[3] = "{g_naf"; String string2 = "No"; stringArray0[4] = "No"; String string3 = ""; stringArray0[5] = ""; String[] stringArray1 = Solution2.twins(stringArray0, stringArray0); String[] stringArray2 = new String[5]; stringArray2[0] = ""; stringArray2[1] = "No"; stringArray2[2] = "No"; stringArray2[3] = "{g_naf"; stringArray2[4] = "{g_naf"; Solution2.main(stringArray2); Solution2.main(stringArray0); // Undeclared exception! try { Solution2.twins(stringArray1, stringArray1); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // verifyException("Solution2", e); } } @Test(timeout = 4000) public void test2() throws Throwable { String[] stringArray0 = null; // Undeclared exception! try { Solution2.twins((String[]) null, (String[]) null); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // verifyException("Solution2", e); } } @Test(timeout = 4000) public void test3() throws Throwable { String[] stringArray0 = new String[7]; stringArray0[0] = ""; stringArray0[1] = "\"'7ovM=%_4.Q/"; stringArray0[2] = "Dp"; stringArray0[3] = "@-d1%~MNTH<:#P"; stringArray0[4] = "ab"; stringArray0[5] = ""; stringArray0[6] = "4+"; String[] stringArray1 = Solution2.twins(stringArray0, stringArray0); Solution2 solution2_0 = new Solution2(); Solution2.main(stringArray1); String[] stringArray2 = new String[0]; Solution2.main(stringArray2); String[] stringArray3 = new String[9]; stringArray3[0] = "\"'7ovM=%_4.Q/"; stringArray3[1] = "\"'7ovM=%_4.Q/"; stringArray3[2] = "4+"; stringArray3[3] = "ab"; stringArray3[4] = "ab"; stringArray3[5] = "Dp"; stringArray3[6] = ""; stringArray3[7] = "4+"; stringArray3[8] = "ab"; Solution2.main(stringArray3); Solution2.main(stringArray3); // Undeclared exception! try { Solution2.twins(stringArray2, stringArray3); fail("Expecting exception: ArrayIndexOutOfBoundsException"); } catch(ArrayIndexOutOfBoundsException e) { // // 0 // verifyException("Solution2", e); } } @Test(timeout = 4000) public void test4() throws Throwable { String[] stringArray0 = new String[6]; String string0 = "av"; stringArray0[0] = "av"; stringArray0[1] = ""; String string1 = "Yes"; stringArray0[2] = "Yes"; stringArray0[3] = "GL@h"; String string2 = "ahi-%{!~-1/2Kz"; stringArray0[4] = "ahi-%{!~-1/2Kz"; String string3 = "Q$E)X7&h9VgRP,+hApV"; stringArray0[5] = "Q$E)X7&h9VgRP,+hApV"; Solution2.main(stringArray0); Solution2 solution2_0 = new Solution2(); Solution2.main(stringArray0); String[] stringArray1 = Solution2.twins(stringArray0, stringArray0); // Undeclared exception! try { Solution2.twins(stringArray0, stringArray1); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // verifyException("Solution2", e); } } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 17:33: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 Solution2_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 = "Solution2"; 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/tmpm7984151"); 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(Solution2_ESTest_scaffolding.class.getClassLoader() , "Solution2" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Solution2_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Solution2" ); } }
1,744
ReverseWordsinaString
/** * Given an input string, reverse the string word by word. * * <p>For example, Given s = "the sky is blue", return "blue is sky the". * * <p>Update (2015-02-12): For C programmers: Try to solve it in-place in O(1) space. * * <p>click to show clarification. * * <p>Clarification: What constitutes a word? A sequence of non-space characters constitutes a word. * Could the input string contain leading or trailing spaces? Yes. However, your reversed string * should not contain leading or trailing spaces. How about multiple spaces between two words? * Reduce them to a single space in the reversed string. Hide Tags String Hide Similar Problems (M) * Reverse Words in a String II * * @author Chauncey */ public class ReverseWordsinaString { /** * @param nums * @param begin inclusive * @param end inclusive */ private static final void reverse(char[] chs, int begin, int end) { // 0 1 2 3 4 5 int mid = begin + ((end + 1 - begin) >> 1); for (int i = begin; i < mid; ++i) { int right = end - i + begin; char temp = chs[i]; chs[i] = chs[right]; chs[right] = temp; // nums[i] ^= nums[end-i+begin]; // nums[end-i+begin] ^= nums[i]; // nums[i] ^= nums[end-i+begin]; } } public static String reverseWords(String s) { if (s == null || s.length() == 0) return s; int len = s.length(); char[] str = new char[len + 1]; int strlen = 0; boolean is_space = true; for (int i = 0; i < len; ++i) { char ch = s.charAt(i); if (ch == ' ') { if (!is_space) { is_space = true; str[strlen++] = ch; } } else { if (is_space) is_space = false; str[strlen++] = ch; } } if (strlen > 0 && str[strlen - 1] == ' ') --strlen; str[strlen] = '\0'; int start = 0; is_space = true; for (int i = 0; i <= strlen; ++i) { char ch = str[i]; if (ch == ' ' || ch == '\0') { if (!is_space) { is_space = true; reverse(str, start, i - 1); } } else { if (is_space) { is_space = false; start = i; } } } reverse(str, 0, strlen - 1); return new String(str, 0, strlen); } /** * @param args */ public static void main(String[] args) { // TODO Auto-generated method stub System.out.println("[" + reverseWords("the sky is blue ") + "]"); System.out.println("[" + reverseWords("") + "]"); System.out.println("[" + reverseWords(" ") + "]"); } }
.version 52 0 .class public super ReverseWordsinaString .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 28 .end linenumbertable .end code .end method .method private static final reverse : ([CII)V .code stack 4 locals 7 L0: iload_1 L1: iload_2 L2: iconst_1 L3: iadd L4: iload_1 L5: isub L6: iconst_1 L7: ishr L8: iadd L9: istore_3 L10: iload_1 L11: istore 4 .stack append Integer Integer L13: iload 4 L15: iload_3 L16: if_icmpge L53 L19: iload_2 L20: iload 4 L22: isub L23: iload_1 L24: iadd L25: istore 5 L27: aload_0 L28: iload 4 L30: caload L31: istore 6 L33: aload_0 L34: iload 4 L36: aload_0 L37: iload 5 L39: caload L40: castore L41: aload_0 L42: iload 5 L44: iload 6 L46: castore L47: iinc 4 1 L50: goto L13 .stack chop 1 L53: return L54: .linenumbertable L0 39 L10 40 L19 41 L27 42 L33 43 L41 44 L47 40 L53 49 .end linenumbertable .end code .end method .method public static reverseWords : (Ljava/lang/String;)Ljava/lang/String; .code stack 5 locals 8 L0: aload_0 L1: ifnull L11 L4: aload_0 L5: invokevirtual Method java/lang/String length ()I L8: ifne L13 .stack same L11: aload_0 L12: areturn .stack same L13: aload_0 L14: invokevirtual Method java/lang/String length ()I L17: istore_1 L18: iload_1 L19: iconst_1 L20: iadd L21: newarray char L23: astore_2 L24: iconst_0 L25: istore_3 L26: iconst_1 L27: istore 4 L29: iconst_0 L30: istore 5 .stack full locals Object java/lang/String Integer Object [C Integer Integer Integer stack .end stack L32: iload 5 L34: iload_1 L35: if_icmpge L94 L38: aload_0 L39: iload 5 L41: invokevirtual Method java/lang/String charAt (I)C L44: istore 6 L46: iload 6 L48: bipush 32 L50: if_icmpne L72 L53: iload 4 L55: ifne L88 L58: iconst_1 L59: istore 4 L61: aload_2 L62: iload_3 L63: iinc 3 1 L66: iload 6 L68: castore L69: goto L88 .stack append Integer L72: iload 4 L74: ifeq L80 L77: iconst_0 L78: istore 4 .stack same L80: aload_2 L81: iload_3 L82: iinc 3 1 L85: iload 6 L87: castore .stack chop 1 L88: iinc 5 1 L91: goto L32 .stack chop 1 L94: iload_3 L95: ifle L111 L98: aload_2 L99: iload_3 L100: iconst_1 L101: isub L102: caload L103: bipush 32 L105: if_icmpne L111 L108: iinc 3 -1 .stack same L111: aload_2 L112: iload_3 L113: iconst_0 L114: castore L115: iconst_0 L116: istore 5 L118: iconst_1 L119: istore 4 L121: iconst_0 L122: istore 6 .stack append Integer Integer L124: iload 6 L126: iload_3 L127: if_icmpgt L187 L130: aload_2 L131: iload 6 L133: caload L134: istore 7 L136: iload 7 L138: bipush 32 L140: if_icmpeq L148 L143: iload 7 L145: ifne L169 .stack append Integer L148: iload 4 L150: ifne L181 L153: iconst_1 L154: istore 4 L156: aload_2 L157: iload 5 L159: iload 6 L161: iconst_1 L162: isub L163: invokestatic Method ReverseWordsinaString reverse ([CII)V L166: goto L181 .stack same L169: iload 4 L171: ifeq L181 L174: iconst_0 L175: istore 4 L177: iload 6 L179: istore 5 .stack chop 1 L181: iinc 6 1 L184: goto L124 .stack chop 1 L187: aload_2 L188: iconst_0 L189: iload_3 L190: iconst_1 L191: isub L192: invokestatic Method ReverseWordsinaString reverse ([CII)V L195: new java/lang/String L198: dup L199: aload_2 L200: iconst_0 L201: iload_3 L202: invokespecial Method java/lang/String <init> ([CII)V L205: areturn L206: .linenumbertable L0 51 L13 52 L18 53 L24 54 L26 55 L29 56 L38 57 L46 58 L53 59 L58 60 L61 61 L72 64 L77 65 L80 66 L88 56 L94 69 L108 70 L111 71 L115 72 L118 73 L121 74 L130 75 L136 76 L148 77 L153 78 L156 79 L169 82 L174 83 L177 84 L181 74 L187 88 L195 89 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)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: ldc '[' L12: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L15: ldc 'the sky is blue ' L17: invokestatic Method ReverseWordsinaString reverseWords (Ljava/lang/String;)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/io/PrintStream println (Ljava/lang/String;)V L34: getstatic Field java/lang/System out Ljava/io/PrintStream; L37: new java/lang/StringBuilder L40: dup L41: invokespecial Method java/lang/StringBuilder <init> ()V L44: ldc '[' L46: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L49: ldc '' L51: invokestatic Method ReverseWordsinaString reverseWords (Ljava/lang/String;)Ljava/lang/String; L54: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L57: ldc ']' L59: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L62: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L65: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L68: getstatic Field java/lang/System out Ljava/io/PrintStream; L71: new java/lang/StringBuilder L74: dup L75: invokespecial Method java/lang/StringBuilder <init> ()V L78: ldc '[' L80: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L83: ldc ' ' L85: invokestatic Method ReverseWordsinaString reverseWords (Ljava/lang/String;)Ljava/lang/String; L88: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L91: ldc ']' L93: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L96: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L99: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L102: return L103: .linenumbertable L0 97 L34 98 L68 99 L102 100 .end linenumbertable .end code .end method .sourcefile 'ReverseWordsinaString.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 05:59: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 ReverseWordsinaString_ESTest extends ReverseWordsinaString_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { ReverseWordsinaString.main((String[]) null); ReverseWordsinaString.main((String[]) null); ReverseWordsinaString.reverseWords("f@"); ReverseWordsinaString.main((String[]) null); ReverseWordsinaString.reverseWords(""); ReverseWordsinaString.main((String[]) null); ReverseWordsinaString.reverseWords(""); ReverseWordsinaString reverseWordsinaString0 = new ReverseWordsinaString(); ReverseWordsinaString.reverseWords(""); ReverseWordsinaString.main((String[]) null); String[] stringArray0 = new String[5]; stringArray0[0] = "f@"; stringArray0[1] = "f@"; stringArray0[2] = "f@"; stringArray0[3] = ""; stringArray0[4] = ""; ReverseWordsinaString.main(stringArray0); ReverseWordsinaString.main(stringArray0); ReverseWordsinaString.reverseWords(",U2O*:$A:KEo"); ReverseWordsinaString.reverseWords(")Dds~D5tW<=H?va"); ReverseWordsinaString.reverseWords(")<+e>&?QF[g|"); ReverseWordsinaString.reverseWords(")<+e>&?QF[g|"); ReverseWordsinaString.main((String[]) null); ReverseWordsinaString.main((String[]) null); String string0 = ReverseWordsinaString.reverseWords("`5>ryLj"); assertEquals("`5>ryLj", string0); } @Test(timeout = 4000) public void test1() throws Throwable { ReverseWordsinaString reverseWordsinaString0 = new ReverseWordsinaString(); String[] stringArray0 = new String[0]; ReverseWordsinaString.main(stringArray0); ReverseWordsinaString.main((String[]) null); ReverseWordsinaString.reverseWords(""); String[] stringArray1 = new String[6]; stringArray1[0] = "]"; stringArray1[1] = ""; stringArray1[2] = ",IdEj"; stringArray1[3] = ""; stringArray1[4] = "HH.E_^4;HNI"; stringArray1[5] = "sK,s)}k=A{3T@5ci)-"; ReverseWordsinaString.main(stringArray1); ReverseWordsinaString.reverseWords("the sky is blue "); String[] stringArray2 = new String[0]; ReverseWordsinaString.main(stringArray2); ReverseWordsinaString.reverseWords(""); ReverseWordsinaString.reverseWords("=iM2"); ReverseWordsinaString.main(stringArray2); ReverseWordsinaString.main(stringArray2); String[] stringArray3 = new String[1]; stringArray3[0] = "HH.E_^4;HNI"; ReverseWordsinaString.main(stringArray3); ReverseWordsinaString.reverseWords("J'NZR{q"); ReverseWordsinaString.main(stringArray0); assertNotSame(stringArray0, stringArray3); } @Test(timeout = 4000) public void test2() throws Throwable { ReverseWordsinaString reverseWordsinaString0 = new ReverseWordsinaString(); String[] stringArray0 = new String[6]; stringArray0[0] = "MqYM"; stringArray0[1] = ""; stringArray0[2] = "["; stringArray0[3] = "o2o_>}:;Gq-z/\"q8rw"; stringArray0[4] = ".cTEb<+)wJ^(6=Deb0*"; stringArray0[5] = ")"; ReverseWordsinaString.main(stringArray0); ReverseWordsinaString.reverseWords(""); ReverseWordsinaString.reverseWords(" "); ReverseWordsinaString.reverseWords(""); ReverseWordsinaString.reverseWords(""); String[] stringArray1 = new String[5]; stringArray1[0] = ""; stringArray1[1] = "wf|IMy&G"; stringArray1[2] = ""; stringArray1[3] = "<W @Vjl{v_Gqr^CG7x"; stringArray1[4] = ""; ReverseWordsinaString.main(stringArray1); ReverseWordsinaString.reverseWords(""); ReverseWordsinaString.main(stringArray1); ReverseWordsinaString.reverseWords(""); String string0 = ReverseWordsinaString.reverseWords("<W @Vjl{v_Gqr^CG7x"); assertEquals("@Vjl{v_Gqr^CG7x <W", string0); } @Test(timeout = 4000) public void test3() throws Throwable { ReverseWordsinaString reverseWordsinaString0 = new ReverseWordsinaString(); String[] stringArray0 = new String[3]; stringArray0[0] = ""; stringArray0[1] = "q-Y$h^s5r8D"; stringArray0[2] = ""; ReverseWordsinaString.main(stringArray0); ReverseWordsinaString.reverseWords("l3wY?6ic]J77R"); String[] stringArray1 = new String[2]; stringArray1[0] = "/C%:(njJaMkja"; stringArray1[1] = "]"; ReverseWordsinaString.main(stringArray1); ReverseWordsinaString.reverseWords("d-Zs"); ReverseWordsinaString.reverseWords(""); String[] stringArray2 = new String[2]; stringArray2[0] = "the sky is blue "; stringArray2[1] = "!M"; ReverseWordsinaString.main(stringArray2); ReverseWordsinaString.main(stringArray2); ReverseWordsinaString.reverseWords("!M"); String string0 = ReverseWordsinaString.reverseWords((String) null); assertNull(string0); } @Test(timeout = 4000) public void test4() throws Throwable { ReverseWordsinaString reverseWordsinaString0 = new ReverseWordsinaString(); String[] stringArray0 = new String[1]; stringArray0[0] = ""; ReverseWordsinaString.main(stringArray0); ReverseWordsinaString.reverseWords("KK5I|P!LD"); ReverseWordsinaString.reverseWords((String) null); String string0 = ReverseWordsinaString.reverseWords((String) null); assertNull(string0); } @Test(timeout = 4000) public void test5() throws Throwable { ReverseWordsinaString.reverseWords(""); ReverseWordsinaString.reverseWords(""); ReverseWordsinaString.reverseWords("{8]plLi4"); String string0 = ReverseWordsinaString.reverseWords("{8]plLi4"); assertEquals("{8]plLi4", string0); String[] stringArray0 = new String[8]; stringArray0[0] = "{8]plLi4"; stringArray0[1] = ""; stringArray0[2] = "{8]plLi4"; stringArray0[3] = ""; stringArray0[4] = ""; stringArray0[5] = "{8]plLi4"; stringArray0[6] = ""; stringArray0[7] = "{8]plLi4"; ReverseWordsinaString.main(stringArray0); ReverseWordsinaString reverseWordsinaString0 = new ReverseWordsinaString(); ReverseWordsinaString.main(stringArray0); String string1 = ReverseWordsinaString.reverseWords(""); assertFalse(string1.equals((Object)string0)); } @Test(timeout = 4000) public void test6() throws Throwable { String[] stringArray0 = new String[4]; stringArray0[0] = "["; stringArray0[1] = ""; stringArray0[2] = ""; stringArray0[3] = ""; ReverseWordsinaString.main(stringArray0); ReverseWordsinaString.reverseWords("J"); ReverseWordsinaString.reverseWords(""); String[] stringArray1 = new String[1]; stringArray1[0] = ""; ReverseWordsinaString.main(stringArray1); assertNotSame(stringArray1, stringArray0); } @Test(timeout = 4000) public void test7() throws Throwable { String[] stringArray0 = new String[9]; stringArray0[0] = " "; stringArray0[1] = "eR0"; stringArray0[2] = "v0+{qIztvs2x_:"; stringArray0[3] = "Fu7"; stringArray0[4] = ",Q#Y**"; stringArray0[5] = ""; stringArray0[6] = ""; stringArray0[7] = "r*Y56[-0J93VS\bgS"; stringArray0[8] = ""; ReverseWordsinaString.main(stringArray0); assertEquals(9, stringArray0.length); } @Test(timeout = 4000) public void test8() throws Throwable { String[] stringArray0 = new String[7]; stringArray0[0] = "1>,"; stringArray0[1] = ""; stringArray0[2] = ""; stringArray0[3] = ""; stringArray0[4] = ""; stringArray0[5] = ""; stringArray0[6] = " 2W3#_M[F/'B*Xq"; ReverseWordsinaString.main(stringArray0); assertEquals(7, stringArray0.length); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 05:59: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 ReverseWordsinaString_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 = "ReverseWordsinaString"; 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/tmpfyv18u2m"); 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(ReverseWordsinaString_ESTest_scaffolding.class.getClassLoader() , "ReverseWordsinaString" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ReverseWordsinaString_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ReverseWordsinaString" ); } }
1,745
CommonProxy
public class CommonProxy { public void registerRenderers() { // TODO Auto-generated method stub } }
.version 52 0 .class public super CommonProxy .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 registerRenderers : ()V .code stack 0 locals 1 L0: return L1: .linenumbertable L0 9 .end linenumbertable .end code .end method .sourcefile 'CommonProxy.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 00:54: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 CommonProxy_ESTest extends CommonProxy_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { CommonProxy commonProxy0 = new CommonProxy(); commonProxy0.registerRenderers(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 00:54:13 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 CommonProxy_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 = "CommonProxy"; 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/tmp90v3e_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(CommonProxy_ESTest_scaffolding.class.getClassLoader() , "CommonProxy" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CommonProxy_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "CommonProxy" ); } }
1,746
Dep
/* * Copyright (c) 2003, 2004, 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 4903501 * @summary Please add annotation <at>Deprecated to supplant the javadoc tag * @author gafter * * @compile -source 1.4 -Xlint:dep-ann -Werror Dep.java * @compile/fail -Xlint:dep-ann -Werror Dep.java * @compile -Xlint:dep-ann Dep.java */ /** * @deprecated */ class Dep {}
.version 52 0 .class super Dep .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 36 .end linenumbertable .end code .end method .sourcefile 'Dep.java' .deprecated .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 06:40: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 Dep_ESTest extends Dep_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Dep dep0 = new Dep(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 06:40: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 Dep_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 = "Dep"; 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/tmp4vupj8hr"); 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(Dep_ESTest_scaffolding.class.getClassLoader() , "Dep" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Dep_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Dep" ); } }
1,747
Item
public class Item { private final int id; private final String name; public Item(final int id, final String name) { super(); this.id = id; this.name = name; } public int getId() { return this.id; } public String getName() { return this.name; } }
.version 52 0 .class public super Item .super java/lang/Object .field private final id I .field private final name Ljava/lang/String; .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: iload_1 L6: putfield Field Item id I L9: aload_0 L10: aload_2 L11: putfield Field Item name Ljava/lang/String; L14: return L15: .linenumbertable L0 9 L4 10 L9 11 L14 12 .end linenumbertable .end code .end method .method public getId : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field Item id I L4: ireturn L5: .linenumbertable L0 16 .end linenumbertable .end code .end method .method public getName : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Item name Ljava/lang/String; L4: areturn L5: .linenumbertable L0 20 .end linenumbertable .end code .end method .sourcefile 'Item.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 17:26: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 Item_ESTest extends Item_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Item item0 = new Item(0, (String) null); item0.getName(); assertEquals(0, item0.getId()); } @Test(timeout = 4000) public void test1() throws Throwable { Item item0 = new Item(0, "Q@b5;GQFqDrQQ"); item0.getName(); assertEquals(0, item0.getId()); } @Test(timeout = 4000) public void test2() throws Throwable { Item item0 = new Item(52267, ""); int int0 = item0.getId(); assertEquals(52267, int0); } @Test(timeout = 4000) public void test3() throws Throwable { Item item0 = new Item((-54364), "d"); int int0 = item0.getId(); assertEquals((-54364), int0); } @Test(timeout = 4000) public void test4() throws Throwable { Item item0 = new Item(0, ""); item0.getName(); assertEquals(0, item0.getId()); } @Test(timeout = 4000) public void test5() throws Throwable { Item item0 = new Item(0, ""); int int0 = item0.getId(); assertEquals(0, int0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 17:26: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 Item_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 = "Item"; 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/tmp0c7ocbwz"); 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(Item_ESTest_scaffolding.class.getClassLoader() , "Item" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Item_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Item" ); } }
1,748
MazeNode
import java.util.Arrays; class MazeNode { private int[] position = new int[2]; // y, x private MazeNode[] neighborNodes = new MazeNode[4]; // MazeNode[north, east, south, west] private int distanceFromStart = Integer.MAX_VALUE; // the distance is "infinity" until it is looked at and overridden private MazeNode parent = null; protected MazeNode(int[] positionVal) { position = positionVal; } protected void printNodeValues() { System.out.println("Position: " + Arrays.toString(this.position)); System.out.println("Distance from start: " + distanceFromStart); System.out.println("Neighbor Nodes: "); for (MazeNode neighbor : neighborNodes) { System.out.println(neighbor); } } protected int[] getPosition() { return this.position; } protected MazeNode[] getArrayOfNeighborNodes() { return this.neighborNodes; } protected void addNeighborNode(int cardinalDirectionIndex, MazeNode neighborNode) { this.neighborNodes[cardinalDirectionIndex] = neighborNode; } protected int getDistanceFromStart() { return this.distanceFromStart; } protected void setDistanceFromStart(int input) { this.distanceFromStart = input; } protected void setParent(MazeNode parentNode) { this.parent = parentNode; } protected MazeNode getParent() { return this.parent; } }
.version 52 0 .class super MazeNode .super java/lang/Object .field private position [I .field private neighborNodes [LMazeNode; .field private distanceFromStart I .field private parent LMazeNode; .method protected <init> : ([I)V .code stack 2 locals 2 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: iconst_2 L6: newarray int L8: putfield Field MazeNode position [I L11: aload_0 L12: iconst_4 L13: anewarray MazeNode L16: putfield Field MazeNode neighborNodes [LMazeNode; L19: aload_0 L20: ldc 2147483647 L22: putfield Field MazeNode distanceFromStart I L25: aload_0 L26: aconst_null L27: putfield Field MazeNode parent LMazeNode; L30: aload_0 L31: aload_1 L32: putfield Field MazeNode position [I L35: return L36: .linenumbertable L0 9 L4 4 L11 5 L19 6 L25 7 L30 10 L35 11 .end linenumbertable .end code .end method .method protected printNodeValues : ()V .code stack 3 locals 5 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: ldc 'Position: ' L12: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L15: aload_0 L16: getfield Field MazeNode position [I L19: invokestatic Method java/util/Arrays toString ([I)Ljava/lang/String; L22: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L25: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L28: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L31: getstatic Field java/lang/System out Ljava/io/PrintStream; L34: new java/lang/StringBuilder L37: dup L38: invokespecial Method java/lang/StringBuilder <init> ()V L41: ldc 'Distance from start: ' L43: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L46: aload_0 L47: getfield Field MazeNode distanceFromStart I L50: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L53: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L56: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L59: getstatic Field java/lang/System out Ljava/io/PrintStream; L62: ldc 'Neighbor Nodes: ' L64: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L67: aload_0 L68: getfield Field MazeNode neighborNodes [LMazeNode; L71: astore_1 L72: aload_1 L73: arraylength L74: istore_2 L75: iconst_0 L76: istore_3 .stack append Object [LMazeNode; Integer Integer L77: iload_3 L78: iload_2 L79: if_icmpge L101 L82: aload_1 L83: iload_3 L84: aaload L85: astore 4 L87: getstatic Field java/lang/System out Ljava/io/PrintStream; L90: aload 4 L92: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V L95: iinc 3 1 L98: goto L77 .stack chop 3 L101: return L102: .linenumbertable L0 14 L31 15 L59 16 L67 17 L87 18 L95 17 L101 20 .end linenumbertable .end code .end method .method protected getPosition : ()[I .code stack 1 locals 1 L0: aload_0 L1: getfield Field MazeNode position [I L4: areturn L5: .linenumbertable L0 23 .end linenumbertable .end code .end method .method protected getArrayOfNeighborNodes : ()[LMazeNode; .code stack 1 locals 1 L0: aload_0 L1: getfield Field MazeNode neighborNodes [LMazeNode; L4: areturn L5: .linenumbertable L0 27 .end linenumbertable .end code .end method .method protected addNeighborNode : (ILMazeNode;)V .code stack 3 locals 3 L0: aload_0 L1: getfield Field MazeNode neighborNodes [LMazeNode; L4: iload_1 L5: aload_2 L6: aastore L7: return L8: .linenumbertable L0 31 L7 32 .end linenumbertable .end code .end method .method protected getDistanceFromStart : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field MazeNode distanceFromStart I L4: ireturn L5: .linenumbertable L0 35 .end linenumbertable .end code .end method .method protected setDistanceFromStart : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field MazeNode distanceFromStart I L5: return L6: .linenumbertable L0 39 L5 40 .end linenumbertable .end code .end method .method protected setParent : (LMazeNode;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field MazeNode parent LMazeNode; L5: return L6: .linenumbertable L0 43 L5 44 .end linenumbertable .end code .end method .method protected getParent : ()LMazeNode; .code stack 1 locals 1 L0: aload_0 L1: getfield Field MazeNode parent LMazeNode; L4: areturn L5: .linenumbertable L0 47 .end linenumbertable .end code .end method .sourcefile 'MazeNode.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 15:58: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 MazeNode_ESTest extends MazeNode_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { int[] intArray0 = new int[3]; MazeNode mazeNode0 = new MazeNode(intArray0); mazeNode0.setParent(mazeNode0); mazeNode0.addNeighborNode(0, mazeNode0); mazeNode0.setParent(mazeNode0); } @Test(timeout = 4000) public void test1() throws Throwable { int[] intArray0 = new int[1]; MazeNode mazeNode0 = new MazeNode(intArray0); mazeNode0.printNodeValues(); MazeNode mazeNode1 = new MazeNode(intArray0); mazeNode1.setParent(mazeNode0); mazeNode0.setDistanceFromStart(1); mazeNode0.printNodeValues(); mazeNode0.getPosition(); MazeNode[] mazeNodeArray0 = mazeNode1.getArrayOfNeighborNodes(); assertEquals(4, mazeNodeArray0.length); int int0 = mazeNode0.getDistanceFromStart(); assertEquals(1, int0); } @Test(timeout = 4000) public void test2() throws Throwable { MazeNode mazeNode0 = new MazeNode((int[]) null); int[] intArray0 = mazeNode0.getPosition(); assertNull(intArray0); } @Test(timeout = 4000) public void test3() throws Throwable { int[] intArray0 = new int[0]; MazeNode mazeNode0 = new MazeNode(intArray0); int[] intArray1 = mazeNode0.getPosition(); assertArrayEquals(new int[] {}, intArray1); } @Test(timeout = 4000) public void test4() throws Throwable { MazeNode mazeNode0 = new MazeNode((int[]) null); mazeNode0.setDistanceFromStart(0); int int0 = mazeNode0.getDistanceFromStart(); assertEquals(0, int0); } @Test(timeout = 4000) public void test5() throws Throwable { MazeNode mazeNode0 = new MazeNode((int[]) null); mazeNode0.setDistanceFromStart((-21427)); int int0 = mazeNode0.getDistanceFromStart(); assertEquals((-21427), int0); } @Test(timeout = 4000) public void test6() throws Throwable { int[] intArray0 = new int[6]; MazeNode mazeNode0 = new MazeNode(intArray0); MazeNode mazeNode1 = mazeNode0.getParent(); assertNull(mazeNode1); } @Test(timeout = 4000) public void test7() throws Throwable { int[] intArray0 = new int[6]; MazeNode mazeNode0 = new MazeNode(intArray0); mazeNode0.setParent(mazeNode0); MazeNode mazeNode1 = mazeNode0.getParent(); assertSame(mazeNode1, mazeNode0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 15:58: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 MazeNode_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 = "MazeNode"; 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/tmp4lahr44b"); 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(MazeNode_ESTest_scaffolding.class.getClassLoader() , "MazeNode" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MazeNode_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "MazeNode" ); } }
1,749
HelloWorld
/* * 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. */ /** The classic Hello World App. */ public class HelloWorld { /** * Main method. * * @param args Not used */ public static void main(String[] args) { System.out.println("Hello World from base jar file."); } }
.version 52 0 .class public super HelloWorld .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 25 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 2 locals 1 L0: getstatic Field java/lang/System out Ljava/io/PrintStream; L3: ldc 'Hello World from base jar file.' L5: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L8: return L9: .linenumbertable L0 34 L8 35 .end linenumbertable .end code .end method .sourcefile 'HelloWorld.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 03:23: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 HelloWorld_ESTest extends HelloWorld_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { HelloWorld helloWorld0 = new HelloWorld(); } @Test(timeout = 4000) public void test1() throws Throwable { String[] stringArray0 = new String[3]; HelloWorld.main(stringArray0); assertEquals(3, stringArray0.length); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 03:23: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 HelloWorld_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 = "HelloWorld"; 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/tmpl9izrqbh"); 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(HelloWorld_ESTest_scaffolding.class.getClassLoader() , "HelloWorld" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(HelloWorld_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "HelloWorld" ); } }
1,750
User
import java.math.BigDecimal; public class User { private Long id; private String username; private String name; private Integer age; private BigDecimal balance; public Long getId() { return this.id; } public void setId(Long id) { this.id = id; } public String getUsername() { return this.username; } public void setUsername(String username) { this.username = username; } public String getName() { return this.name; } public void setName(String name) { this.name = name; } public Integer getAge() { return this.age; } public void setAge(Integer age) { this.age = age; } public BigDecimal getBalance() { return this.balance; } public void setBalance(BigDecimal balance) { this.balance = balance; } }
.version 52 0 .class public super User .super java/lang/Object .field private id Ljava/lang/Long; .field private username Ljava/lang/String; .field private name Ljava/lang/String; .field private age Ljava/lang/Integer; .field private balance Ljava/math/BigDecimal; .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 getId : ()Ljava/lang/Long; .code stack 1 locals 1 L0: aload_0 L1: getfield Field User id Ljava/lang/Long; L4: areturn L5: .linenumbertable L0 13 .end linenumbertable .end code .end method .method public setId : (Ljava/lang/Long;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field User id Ljava/lang/Long; L5: return L6: .linenumbertable L0 17 L5 18 .end linenumbertable .end code .end method .method public getUsername : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field User username Ljava/lang/String; L4: areturn L5: .linenumbertable L0 21 .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 User username Ljava/lang/String; L5: return L6: .linenumbertable L0 25 L5 26 .end linenumbertable .end code .end method .method public getName : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field User name Ljava/lang/String; L4: areturn L5: .linenumbertable L0 29 .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 User name Ljava/lang/String; L5: return L6: .linenumbertable L0 33 L5 34 .end linenumbertable .end code .end method .method public getAge : ()Ljava/lang/Integer; .code stack 1 locals 1 L0: aload_0 L1: getfield Field User age Ljava/lang/Integer; L4: areturn L5: .linenumbertable L0 37 .end linenumbertable .end code .end method .method public setAge : (Ljava/lang/Integer;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field User age Ljava/lang/Integer; L5: return L6: .linenumbertable L0 41 L5 42 .end linenumbertable .end code .end method .method public getBalance : ()Ljava/math/BigDecimal; .code stack 1 locals 1 L0: aload_0 L1: getfield Field User balance Ljava/math/BigDecimal; L4: areturn L5: .linenumbertable L0 45 .end linenumbertable .end code .end method .method public setBalance : (Ljava/math/BigDecimal;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field User balance Ljava/math/BigDecimal; L5: return L6: .linenumbertable L0 49 L5 50 .end linenumbertable .end code .end method .sourcefile 'User.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 03:51:26 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import java.math.BigDecimal; import java.math.BigInteger; 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.setUsername("aH|oy3)LuR"); String string0 = user0.getUsername(); assertEquals("aH|oy3)LuR", string0); } @Test(timeout = 4000) public void test01() throws Throwable { User user0 = new User(); user0.setUsername(""); String string0 = user0.getUsername(); assertEquals("", string0); } @Test(timeout = 4000) public void test02() throws Throwable { User user0 = new User(); user0.setName("Ol=4^To#)nt)"); String string0 = user0.getName(); assertEquals("Ol=4^To#)nt)", string0); } @Test(timeout = 4000) public void test03() throws Throwable { User user0 = new User(); user0.setName(""); String string0 = user0.getName(); assertEquals("", string0); } @Test(timeout = 4000) public void test04() throws Throwable { User user0 = new User(); Long long0 = new Long((-89916L)); user0.setId(long0); Long long1 = user0.getId(); assertEquals((-89916L), (long)long1); } @Test(timeout = 4000) public void test05() throws Throwable { User user0 = new User(); Long long0 = new Long(0L); user0.setId(long0); Long long1 = user0.getId(); assertEquals(0L, (long)long1); } @Test(timeout = 4000) public void test06() throws Throwable { User user0 = new User(); Long long0 = new Long(22725L); user0.setId(long0); Long long1 = user0.getId(); assertEquals(22725L, (long)long1); } @Test(timeout = 4000) public void test07() throws Throwable { User user0 = new User(); BigDecimal bigDecimal0 = BigDecimal.ZERO; user0.setBalance(bigDecimal0); BigDecimal bigDecimal1 = user0.getBalance(); assertEquals((byte)0, bigDecimal1.byteValue()); } @Test(timeout = 4000) public void test08() throws Throwable { User user0 = new User(); BigDecimal bigDecimal0 = new BigDecimal((-1.0)); user0.setBalance(bigDecimal0); BigDecimal bigDecimal1 = user0.getBalance(); assertSame(bigDecimal1, bigDecimal0); } @Test(timeout = 4000) public void test09() throws Throwable { User user0 = new User(); Integer integer0 = new Integer(51422); user0.setAge(integer0); Integer integer1 = user0.getAge(); assertEquals(51422, (int)integer1); } @Test(timeout = 4000) public void test10() throws Throwable { User user0 = new User(); Integer integer0 = new Integer((-40144)); user0.setAge(integer0); Integer integer1 = user0.getAge(); assertEquals((-40144), (int)integer1); } @Test(timeout = 4000) public void test11() throws Throwable { User user0 = new User(); String string0 = user0.getName(); assertNull(string0); } @Test(timeout = 4000) public void test12() throws Throwable { User user0 = new User(); String string0 = user0.getUsername(); assertNull(string0); } @Test(timeout = 4000) public void test13() throws Throwable { User user0 = new User(); BigDecimal bigDecimal0 = user0.getBalance(); assertNull(bigDecimal0); } @Test(timeout = 4000) public void test14() throws Throwable { User user0 = new User(); Long long0 = new Long(1625L); user0.setId(long0); Long long1 = user0.getId(); assertEquals(1625L, (long)long1); } @Test(timeout = 4000) public void test15() throws Throwable { User user0 = new User(); BigInteger bigInteger0 = BigInteger.ONE; BigDecimal bigDecimal0 = new BigDecimal(bigInteger0); user0.setBalance(bigDecimal0); BigDecimal bigDecimal1 = user0.getBalance(); assertEquals((byte)1, bigDecimal1.byteValue()); } @Test(timeout = 4000) public void test16() throws Throwable { User user0 = new User(); Integer integer0 = user0.getAge(); assertNull(integer0); } @Test(timeout = 4000) public void test17() throws Throwable { User user0 = new User(); Long long0 = user0.getId(); assertNull(long0); } @Test(timeout = 4000) public void test18() throws Throwable { User user0 = new User(); Integer integer0 = new Integer(0); user0.setAge(integer0); Integer integer1 = user0.getAge(); assertEquals(0, (int)integer1); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 03:51:26 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/tmpdtiwq8gu"); 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" ); } }
1,751
WSMapElement
/** * Copyright (c) WSO2 Inc. (http://www.wso2.org) All Rights Reserved. * * <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. */ public class WSMapElement { private String key; private String value; public String getKey() { return key; } public void setKey(String key) { this.key = key; } public String getValue() { return value; } public void setValue(String value) { this.value = value; } }
.version 52 0 .class public super WSMapElement .super java/lang/Object .field private key Ljava/lang/String; .field private value 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 18 .end linenumbertable .end code .end method .method public getKey : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WSMapElement key Ljava/lang/String; L4: areturn L5: .linenumbertable L0 24 .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 WSMapElement key Ljava/lang/String; L5: return L6: .linenumbertable L0 28 L5 29 .end linenumbertable .end code .end method .method public getValue : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field WSMapElement value Ljava/lang/String; L4: areturn L5: .linenumbertable L0 32 .end linenumbertable .end code .end method .method public setValue : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field WSMapElement value Ljava/lang/String; L5: return L6: .linenumbertable L0 36 L5 37 .end linenumbertable .end code .end method .sourcefile 'WSMapElement.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 14:31:16 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 WSMapElement_ESTest extends WSMapElement_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { WSMapElement wSMapElement0 = new WSMapElement(); wSMapElement0.setValue(",ob0NQcX*s\"[WYE"); String string0 = wSMapElement0.getValue(); assertEquals(",ob0NQcX*s\"[WYE", string0); } @Test(timeout = 4000) public void test1() throws Throwable { WSMapElement wSMapElement0 = new WSMapElement(); wSMapElement0.setKey("WSMapElement"); String string0 = wSMapElement0.getKey(); assertEquals("WSMapElement", string0); } @Test(timeout = 4000) public void test2() throws Throwable { WSMapElement wSMapElement0 = new WSMapElement(); wSMapElement0.setValue(""); String string0 = wSMapElement0.getValue(); assertEquals("", string0); } @Test(timeout = 4000) public void test3() throws Throwable { WSMapElement wSMapElement0 = new WSMapElement(); String string0 = wSMapElement0.getValue(); assertNull(string0); } @Test(timeout = 4000) public void test4() throws Throwable { WSMapElement wSMapElement0 = new WSMapElement(); String string0 = wSMapElement0.getKey(); assertNull(string0); } @Test(timeout = 4000) public void test5() throws Throwable { WSMapElement wSMapElement0 = new WSMapElement(); wSMapElement0.setKey(""); String string0 = wSMapElement0.getKey(); assertEquals("", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 14:31: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; @EvoSuiteClassExclude public class WSMapElement_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 = "WSMapElement"; 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/tmpc8dyadj2"); 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(WSMapElement_ESTest_scaffolding.class.getClassLoader() , "WSMapElement" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(WSMapElement_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "WSMapElement" ); } }
1,752
GenerateWebShopTicketParams
/* This file is a modified version of Cyclos (www.cyclos.org). A project of the Social Trade Organisation (www.socialtrade.org). Cyclos 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. Cyclos 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 Cyclos; if not, write to the Free Software Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ import java.io.Serializable; import java.math.BigDecimal; /** * Parameters for generating a webshop ticket via web services * * @author luis */ public class GenerateWebShopTicketParams implements Serializable { private static final long serialVersionUID = -1816777948198919713L; private BigDecimal amount; private String currency; private String clientAddress; private String description; private String returnUrl; private String toUsername; public BigDecimal getAmount() { return amount; } public String getClientAddress() { return clientAddress; } public String getCurrency() { return currency; } public String getDescription() { return description; } public String getReturnUrl() { return returnUrl; } public String getToUsername() { return toUsername; } public void setAmount(final BigDecimal amount) { this.amount = amount; } public void setClientAddress(final String clientAddress) { this.clientAddress = clientAddress; } public void setCurrency(final String currency) { this.currency = currency; } public void setDescription(final String description) { this.description = description; } public void setReturnUrl(final String returnUrl) { this.returnUrl = returnUrl; } public void setToUsername(final String toUsername) { this.toUsername = toUsername; } @Override public String toString() { return "GenerateWebShopTicketParams(amount=" + amount + ", currency=" + currency + ", clientAddress=" + clientAddress + ", description=" + description + ", returnUrl=" + returnUrl + ", toUsername=" + toUsername + ")"; } }
.version 52 0 .class public super GenerateWebShopTicketParams .super java/lang/Object .implements java/io/Serializable .field private static final serialVersionUID J = -1816777948198919713L .field private amount Ljava/math/BigDecimal; .field private currency Ljava/lang/String; .field private clientAddress Ljava/lang/String; .field private description Ljava/lang/String; .field private returnUrl Ljava/lang/String; .field private toUsername 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 29 .end linenumbertable .end code .end method .method public getAmount : ()Ljava/math/BigDecimal; .code stack 1 locals 1 L0: aload_0 L1: getfield Field GenerateWebShopTicketParams amount Ljava/math/BigDecimal; L4: areturn L5: .linenumbertable L0 40 .end linenumbertable .end code .end method .method public getClientAddress : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field GenerateWebShopTicketParams clientAddress Ljava/lang/String; L4: areturn L5: .linenumbertable L0 44 .end linenumbertable .end code .end method .method public getCurrency : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field GenerateWebShopTicketParams currency Ljava/lang/String; L4: areturn L5: .linenumbertable L0 48 .end linenumbertable .end code .end method .method public getDescription : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field GenerateWebShopTicketParams description Ljava/lang/String; L4: areturn L5: .linenumbertable L0 52 .end linenumbertable .end code .end method .method public getReturnUrl : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field GenerateWebShopTicketParams returnUrl Ljava/lang/String; L4: areturn L5: .linenumbertable L0 56 .end linenumbertable .end code .end method .method public getToUsername : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field GenerateWebShopTicketParams toUsername Ljava/lang/String; L4: areturn L5: .linenumbertable L0 60 .end linenumbertable .end code .end method .method public setAmount : (Ljava/math/BigDecimal;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field GenerateWebShopTicketParams amount Ljava/math/BigDecimal; L5: return L6: .linenumbertable L0 64 L5 65 .end linenumbertable .end code .end method .method public setClientAddress : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field GenerateWebShopTicketParams clientAddress Ljava/lang/String; L5: return L6: .linenumbertable L0 68 L5 69 .end linenumbertable .end code .end method .method public setCurrency : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field GenerateWebShopTicketParams currency Ljava/lang/String; L5: return L6: .linenumbertable L0 72 L5 73 .end linenumbertable .end code .end method .method public setDescription : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field GenerateWebShopTicketParams description Ljava/lang/String; L5: return L6: .linenumbertable L0 76 L5 77 .end linenumbertable .end code .end method .method public setReturnUrl : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field GenerateWebShopTicketParams returnUrl Ljava/lang/String; L5: return L6: .linenumbertable L0 80 L5 81 .end linenumbertable .end code .end method .method public setToUsername : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field GenerateWebShopTicketParams toUsername Ljava/lang/String; L5: return L6: .linenumbertable L0 84 L5 85 .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 'GenerateWebShopTicketParams(amount=' L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L12: aload_0 L13: getfield Field GenerateWebShopTicketParams amount Ljava/math/BigDecimal; L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder; L19: ldc ', currency=' L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L24: aload_0 L25: getfield Field GenerateWebShopTicketParams currency Ljava/lang/String; L28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L31: ldc ', clientAddress=' L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L36: aload_0 L37: getfield Field GenerateWebShopTicketParams clientAddress Ljava/lang/String; L40: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L43: ldc ', description=' L45: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L48: aload_0 L49: getfield Field GenerateWebShopTicketParams description Ljava/lang/String; L52: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L55: ldc ', returnUrl=' L57: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L60: aload_0 L61: getfield Field GenerateWebShopTicketParams returnUrl Ljava/lang/String; L64: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L67: ldc ', toUsername=' L69: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L72: aload_0 L73: getfield Field GenerateWebShopTicketParams toUsername Ljava/lang/String; L76: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L79: ldc ')' L81: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L84: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L87: areturn L88: .linenumbertable L0 89 .end linenumbertable .end code .end method .sourcefile 'GenerateWebShopTicketParams.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 19:36:18 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import java.math.BigDecimal; 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 GenerateWebShopTicketParams_ESTest extends GenerateWebShopTicketParams_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { GenerateWebShopTicketParams generateWebShopTicketParams0 = new GenerateWebShopTicketParams(); generateWebShopTicketParams0.setToUsername("<%O[%!Q"); String string0 = generateWebShopTicketParams0.getToUsername(); assertEquals("<%O[%!Q", string0); } @Test(timeout = 4000) public void test01() throws Throwable { GenerateWebShopTicketParams generateWebShopTicketParams0 = new GenerateWebShopTicketParams(); generateWebShopTicketParams0.setReturnUrl("1)ggF#`b/l"); String string0 = generateWebShopTicketParams0.getReturnUrl(); assertEquals("1)ggF#`b/l", string0); } @Test(timeout = 4000) public void test02() throws Throwable { GenerateWebShopTicketParams generateWebShopTicketParams0 = new GenerateWebShopTicketParams(); generateWebShopTicketParams0.setReturnUrl(""); String string0 = generateWebShopTicketParams0.getReturnUrl(); assertEquals("", string0); } @Test(timeout = 4000) public void test03() throws Throwable { GenerateWebShopTicketParams generateWebShopTicketParams0 = new GenerateWebShopTicketParams(); generateWebShopTicketParams0.setDescription("Hs\"K@$@Y*"); String string0 = generateWebShopTicketParams0.getDescription(); assertEquals("Hs\"K@$@Y*", string0); } @Test(timeout = 4000) public void test04() throws Throwable { GenerateWebShopTicketParams generateWebShopTicketParams0 = new GenerateWebShopTicketParams(); generateWebShopTicketParams0.setDescription(""); String string0 = generateWebShopTicketParams0.getDescription(); assertEquals("", string0); } @Test(timeout = 4000) public void test05() throws Throwable { GenerateWebShopTicketParams generateWebShopTicketParams0 = new GenerateWebShopTicketParams(); generateWebShopTicketParams0.setCurrency("vR39}]Q\"l2TY8"); String string0 = generateWebShopTicketParams0.getCurrency(); assertEquals("vR39}]Q\"l2TY8", string0); } @Test(timeout = 4000) public void test06() throws Throwable { GenerateWebShopTicketParams generateWebShopTicketParams0 = new GenerateWebShopTicketParams(); generateWebShopTicketParams0.setCurrency(""); String string0 = generateWebShopTicketParams0.getCurrency(); assertEquals("", string0); } @Test(timeout = 4000) public void test07() throws Throwable { GenerateWebShopTicketParams generateWebShopTicketParams0 = new GenerateWebShopTicketParams(); generateWebShopTicketParams0.setClientAddress("GenerateWebShopTicketParams"); String string0 = generateWebShopTicketParams0.getClientAddress(); assertEquals("GenerateWebShopTicketParams", string0); } @Test(timeout = 4000) public void test08() throws Throwable { GenerateWebShopTicketParams generateWebShopTicketParams0 = new GenerateWebShopTicketParams(); generateWebShopTicketParams0.setClientAddress(""); String string0 = generateWebShopTicketParams0.getClientAddress(); assertEquals("", string0); } @Test(timeout = 4000) public void test09() throws Throwable { GenerateWebShopTicketParams generateWebShopTicketParams0 = new GenerateWebShopTicketParams(); BigDecimal bigDecimal0 = BigDecimal.ONE; generateWebShopTicketParams0.setAmount(bigDecimal0); BigDecimal bigDecimal1 = generateWebShopTicketParams0.getAmount(); assertEquals((byte)1, bigDecimal1.byteValue()); } @Test(timeout = 4000) public void test10() throws Throwable { GenerateWebShopTicketParams generateWebShopTicketParams0 = new GenerateWebShopTicketParams(); BigDecimal bigDecimal0 = new BigDecimal(51573.3136627); generateWebShopTicketParams0.setAmount(bigDecimal0); BigDecimal bigDecimal1 = generateWebShopTicketParams0.getAmount(); assertEquals((short) (-13963), bigDecimal1.shortValue()); } @Test(timeout = 4000) public void test11() throws Throwable { GenerateWebShopTicketParams generateWebShopTicketParams0 = new GenerateWebShopTicketParams(); BigDecimal bigDecimal0 = new BigDecimal((-1L)); generateWebShopTicketParams0.setAmount(bigDecimal0); BigDecimal bigDecimal1 = generateWebShopTicketParams0.getAmount(); assertEquals((byte) (-1), bigDecimal1.byteValue()); } @Test(timeout = 4000) public void test12() throws Throwable { GenerateWebShopTicketParams generateWebShopTicketParams0 = new GenerateWebShopTicketParams(); String string0 = generateWebShopTicketParams0.getCurrency(); assertNull(string0); } @Test(timeout = 4000) public void test13() throws Throwable { GenerateWebShopTicketParams generateWebShopTicketParams0 = new GenerateWebShopTicketParams(); String string0 = generateWebShopTicketParams0.getToUsername(); assertNull(string0); } @Test(timeout = 4000) public void test14() throws Throwable { GenerateWebShopTicketParams generateWebShopTicketParams0 = new GenerateWebShopTicketParams(); String string0 = generateWebShopTicketParams0.getReturnUrl(); assertNull(string0); } @Test(timeout = 4000) public void test15() throws Throwable { GenerateWebShopTicketParams generateWebShopTicketParams0 = new GenerateWebShopTicketParams(); String string0 = generateWebShopTicketParams0.getClientAddress(); assertNull(string0); } @Test(timeout = 4000) public void test16() throws Throwable { GenerateWebShopTicketParams generateWebShopTicketParams0 = new GenerateWebShopTicketParams(); BigDecimal bigDecimal0 = new BigDecimal(0.0); generateWebShopTicketParams0.setAmount(bigDecimal0); BigDecimal bigDecimal1 = generateWebShopTicketParams0.getAmount(); assertEquals((short)0, bigDecimal1.shortValue()); } @Test(timeout = 4000) public void test17() throws Throwable { GenerateWebShopTicketParams generateWebShopTicketParams0 = new GenerateWebShopTicketParams(); String string0 = generateWebShopTicketParams0.toString(); assertEquals("GenerateWebShopTicketParams(amount=null, currency=null, clientAddress=null, description=null, returnUrl=null, toUsername=null)", string0); } @Test(timeout = 4000) public void test18() throws Throwable { GenerateWebShopTicketParams generateWebShopTicketParams0 = new GenerateWebShopTicketParams(); generateWebShopTicketParams0.setToUsername(""); String string0 = generateWebShopTicketParams0.getToUsername(); assertEquals("", string0); } @Test(timeout = 4000) public void test19() throws Throwable { GenerateWebShopTicketParams generateWebShopTicketParams0 = new GenerateWebShopTicketParams(); String string0 = generateWebShopTicketParams0.getDescription(); assertNull(string0); } @Test(timeout = 4000) public void test20() throws Throwable { GenerateWebShopTicketParams generateWebShopTicketParams0 = new GenerateWebShopTicketParams(); BigDecimal bigDecimal0 = generateWebShopTicketParams0.getAmount(); assertNull(bigDecimal0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 19:36:18 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 GenerateWebShopTicketParams_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 = "GenerateWebShopTicketParams"; 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/tmpkqapktis"); 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(GenerateWebShopTicketParams_ESTest_scaffolding.class.getClassLoader() , "GenerateWebShopTicketParams" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(GenerateWebShopTicketParams_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "GenerateWebShopTicketParams" ); } }
1,753
AppException
/** * Copyright (c) 2011 - 2015, Lunifera GmbH (Gross Enzersdorf), Loetz KG (Heidelberg) 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 * * <p>Contributors: Florian Pirchner - Initial implementation */ @SuppressWarnings("serial") public class AppException extends Exception { public AppException() { super(); } public AppException(String message, Throwable cause) { super(message, cause); } public AppException(String message) { super(message); } public AppException(Throwable cause) { super(cause); } }
.version 52 0 .class public super AppException .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 17 L4 18 .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 21 L6 22 .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 25 L5 26 .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 29 L5 30 .end linenumbertable .end code .end method .sourcefile 'AppException.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 07:01:50 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 AppException_ESTest extends AppException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { AppException appException0 = new AppException("[TjQ)3TNC_4"); MockThrowable mockThrowable0 = new MockThrowable(appException0); AppException appException1 = new AppException(mockThrowable0); assertFalse(appException1.equals((Object)appException0)); } @Test(timeout = 4000) public void test1() throws Throwable { AppException appException0 = new AppException("[TjQ)3TNC_4"); AppException appException1 = new AppException((String) null, appException0); assertFalse(appException1.equals((Object)appException0)); } @Test(timeout = 4000) public void test2() throws Throwable { AppException appException0 = new AppException(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 07:01:50 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 AppException_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 = "AppException"; 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/tmpj6flmjhn"); 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(AppException_ESTest_scaffolding.class.getClassLoader() , "AppException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AppException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "AppException" ); } }
1,754
PropertySetterException
/* * Copyright 1999-2005 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. */ /** * Thrown when an error is encountered whilst attempting to set a property using the {@link * PropertySetter} utility class. * * @author Anders Kristensen * @since 1.1 */ public class PropertySetterException extends Exception { protected Throwable rootCause; public PropertySetterException(String msg) { super(msg); } public PropertySetterException(Throwable rootCause) { super(); this.rootCause = rootCause; } /** Returns descriptive text on the cause of this exception. */ public String getMessage() { String msg = super.getMessage(); if (msg == null && rootCause != null) { msg = rootCause.getMessage(); } return msg; } }
.version 52 0 .class public super PropertySetterException .super java/lang/Exception .field protected rootCause Ljava/lang/Throwable; .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 31 L5 32 .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 PropertySetterException rootCause Ljava/lang/Throwable; L9: return L10: .linenumbertable L0 37 L4 38 L9 39 .end linenumbertable .end code .end method .method public getMessage : ()Ljava/lang/String; .code stack 1 locals 2 L0: aload_0 L1: invokespecial Method java/lang/Exception getMessage ()Ljava/lang/String; L4: astore_1 L5: aload_1 L6: ifnonnull L24 L9: aload_0 L10: getfield Field PropertySetterException rootCause Ljava/lang/Throwable; L13: ifnull L24 L16: aload_0 L17: getfield Field PropertySetterException rootCause Ljava/lang/Throwable; L20: invokevirtual Method java/lang/Throwable getMessage ()Ljava/lang/String; L23: astore_1 .stack append Object java/lang/String L24: aload_1 L25: areturn L26: .linenumbertable L0 46 L5 47 L16 48 L24 50 .end linenumbertable .end code .end method .sourcefile 'PropertySetterException.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 04:34:07 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 PropertySetterException_ESTest extends PropertySetterException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { PropertySetterException propertySetterException0 = new PropertySetterException(""); String string0 = propertySetterException0.getMessage(); assertEquals("", string0); } @Test(timeout = 4000) public void test1() throws Throwable { PropertySetterException propertySetterException0 = new PropertySetterException((Throwable) null); String string0 = propertySetterException0.getMessage(); assertNull(string0); } @Test(timeout = 4000) public void test2() throws Throwable { PropertySetterException propertySetterException0 = new PropertySetterException(". 7/;>M,74-7ZIzftdl"); String string0 = propertySetterException0.getMessage(); assertEquals(". 7/;>M,74-7ZIzftdl", string0); } @Test(timeout = 4000) public void test3() throws Throwable { PropertySetterException propertySetterException0 = new PropertySetterException(". 7/;>M,74-7ZIzftdl"); PropertySetterException propertySetterException1 = new PropertySetterException(propertySetterException0); String string0 = propertySetterException1.getMessage(); assertEquals(". 7/;>M,74-7ZIzftdl", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 04:34:07 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 PropertySetterException_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 = "PropertySetterException"; 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/tmpop81d69d"); 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(PropertySetterException_ESTest_scaffolding.class.getClassLoader() , "PropertySetterException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PropertySetterException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "PropertySetterException" ); } }
1,755
FavoriteCriteria
/** Created by Prasanna on 5/13/16. */ public class FavoriteCriteria { public String getUser() { return user; } public void setUser(String user) { this.user = user; } String user; public String getOwner_id() { return owner_id; } public void setOwner_id(String owner_id) { this.owner_id = owner_id; } public String getProperty_id() { return property_id; } public void setProperty_id(String property_id) { this.property_id = property_id; } String owner_id; String property_id; }
.version 52 0 .class public super FavoriteCriteria .super java/lang/Object .field user Ljava/lang/String; .field owner_id Ljava/lang/String; .field property_id 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 getUser : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field FavoriteCriteria user Ljava/lang/String; L4: areturn L5: .linenumbertable L0 8 .end linenumbertable .end code .end method .method public setUser : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field FavoriteCriteria user Ljava/lang/String; L5: return L6: .linenumbertable L0 12 L5 13 .end linenumbertable .end code .end method .method public getOwner_id : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field FavoriteCriteria owner_id Ljava/lang/String; L4: areturn L5: .linenumbertable L0 18 .end linenumbertable .end code .end method .method public setOwner_id : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field FavoriteCriteria owner_id Ljava/lang/String; L5: return L6: .linenumbertable L0 22 L5 23 .end linenumbertable .end code .end method .method public getProperty_id : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field FavoriteCriteria property_id Ljava/lang/String; L4: areturn L5: .linenumbertable L0 26 .end linenumbertable .end code .end method .method public setProperty_id : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field FavoriteCriteria property_id Ljava/lang/String; L5: return L6: .linenumbertable L0 30 L5 31 .end linenumbertable .end code .end method .sourcefile 'FavoriteCriteria.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 19:41: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 FavoriteCriteria_ESTest extends FavoriteCriteria_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { FavoriteCriteria favoriteCriteria0 = new FavoriteCriteria(); favoriteCriteria0.setUser("C_9'M|<b'T"); String string0 = favoriteCriteria0.getUser(); assertEquals("C_9'M|<b'T", string0); } @Test(timeout = 4000) public void test1() throws Throwable { FavoriteCriteria favoriteCriteria0 = new FavoriteCriteria(); favoriteCriteria0.user = "8=V cZ4(`Z3*f^ k"; favoriteCriteria0.user = ""; String string0 = favoriteCriteria0.getUser(); assertEquals("", string0); } @Test(timeout = 4000) public void test2() throws Throwable { FavoriteCriteria favoriteCriteria0 = new FavoriteCriteria(); favoriteCriteria0.property_id = "C_9'M|<b'T"; String string0 = favoriteCriteria0.getProperty_id(); assertEquals("C_9'M|<b'T", string0); } @Test(timeout = 4000) public void test3() throws Throwable { FavoriteCriteria favoriteCriteria0 = new FavoriteCriteria(); favoriteCriteria0.property_id = "FavoriteCriteria"; favoriteCriteria0.property_id = ""; String string0 = favoriteCriteria0.getProperty_id(); assertEquals("", string0); } @Test(timeout = 4000) public void test4() throws Throwable { FavoriteCriteria favoriteCriteria0 = new FavoriteCriteria(); favoriteCriteria0.owner_id = "FavoriteCriteria"; String string0 = favoriteCriteria0.getOwner_id(); assertEquals("FavoriteCriteria", string0); } @Test(timeout = 4000) public void test5() throws Throwable { FavoriteCriteria favoriteCriteria0 = new FavoriteCriteria(); favoriteCriteria0.setOwner_id(""); String string0 = favoriteCriteria0.getOwner_id(); assertEquals("", string0); } @Test(timeout = 4000) public void test6() throws Throwable { FavoriteCriteria favoriteCriteria0 = new FavoriteCriteria(); String string0 = favoriteCriteria0.getProperty_id(); assertNull(string0); } @Test(timeout = 4000) public void test7() throws Throwable { FavoriteCriteria favoriteCriteria0 = new FavoriteCriteria(); String string0 = favoriteCriteria0.getUser(); assertNull(string0); } @Test(timeout = 4000) public void test8() throws Throwable { FavoriteCriteria favoriteCriteria0 = new FavoriteCriteria(); String string0 = favoriteCriteria0.getOwner_id(); assertNull(string0); } @Test(timeout = 4000) public void test9() throws Throwable { FavoriteCriteria favoriteCriteria0 = new FavoriteCriteria(); favoriteCriteria0.setProperty_id("FavoriteCriteria"); assertNull(favoriteCriteria0.getOwner_id()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 19:41: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 FavoriteCriteria_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 = "FavoriteCriteria"; 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/tmp30ta87st"); 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(FavoriteCriteria_ESTest_scaffolding.class.getClassLoader() , "FavoriteCriteria" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(FavoriteCriteria_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "FavoriteCriteria" ); } }
1,756
Consts
public class Consts { public static String TAG = "localsyncapp"; public static int PORT = 21080; public static String IP_ADDRESS = ""; public static short SUBNET = 0; public static String secret = "s3cr3t"; public static String HASH = ""; public static boolean SERVER_STARTED = false; public static int HTTP_SUCCESS = 200; public static int HTTP_NOTFOUND = 404; public static int HTTP_ERROR = 500; public static String HTTP_GET_RESPONSE = "Got the response at the server."; public static String HTTP_PEER_FOUND = "Namaskaaram!!!"; public static String HTTP_DUMMY_RESPONSE = "---"; }
.version 52 0 .class public super Consts .super java/lang/Object .field public static TAG Ljava/lang/String; .field public static PORT I .field public static IP_ADDRESS Ljava/lang/String; .field public static SUBNET S .field public static secret Ljava/lang/String; .field public static HASH Ljava/lang/String; .field public static SERVER_STARTED Z .field public static HTTP_SUCCESS I .field public static HTTP_NOTFOUND I .field public static HTTP_ERROR I .field public static HTTP_GET_RESPONSE Ljava/lang/String; .field public static HTTP_PEER_FOUND Ljava/lang/String; .field public static HTTP_DUMMY_RESPONSE 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 .method static <clinit> : ()V .code stack 1 locals 0 L0: ldc 'localsyncapp' L2: putstatic Field Consts TAG Ljava/lang/String; L5: sipush 21080 L8: putstatic Field Consts PORT I L11: ldc '' L13: putstatic Field Consts IP_ADDRESS Ljava/lang/String; L16: iconst_0 L17: putstatic Field Consts SUBNET S L20: ldc 's3cr3t' L22: putstatic Field Consts secret Ljava/lang/String; L25: ldc '' L27: putstatic Field Consts HASH Ljava/lang/String; L30: iconst_0 L31: putstatic Field Consts SERVER_STARTED Z L34: sipush 200 L37: putstatic Field Consts HTTP_SUCCESS I L40: sipush 404 L43: putstatic Field Consts HTTP_NOTFOUND I L46: sipush 500 L49: putstatic Field Consts HTTP_ERROR I L52: ldc 'Got the response at the server.' L54: putstatic Field Consts HTTP_GET_RESPONSE Ljava/lang/String; L57: ldc 'Namaskaaram!!!' L59: putstatic Field Consts HTTP_PEER_FOUND Ljava/lang/String; L62: ldc '---' L64: putstatic Field Consts HTTP_DUMMY_RESPONSE Ljava/lang/String; L67: return L68: .linenumbertable L0 5 L5 7 L11 8 L16 9 L20 11 L25 12 L30 14 L34 15 L40 16 L46 17 L52 18 L57 19 L62 20 .end linenumbertable .end code .end method .sourcefile 'Consts.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 19:26: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 Consts_ESTest extends Consts_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Consts consts0 = new Consts(); assertEquals(200, Consts.HTTP_SUCCESS); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 19:26: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 Consts_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 = "Consts"; 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/tmp73xr853k"); 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(Consts_ESTest_scaffolding.class.getClassLoader() , "Consts" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Consts_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Consts" ); } }
1,757
Car
import java.io.Serializable; /** Created by sa on 08.02.17. */ public class Car implements Serializable { private int price; private String model; private String regNum; public int getPrice() { return price; } @Override public int hashCode() { return regNum.hashCode() * 21; } @Override public boolean equals(Object obj) { if (obj == null) { return false; } if (obj == this) { return true; } if (!(obj instanceof Car)) { return false; } Car car = (Car) obj; if (this.getRegNum().equals(car.getRegNum())) { return true; } return false; } public void setPrice(int price) { this.price = price; } public String getModel() { return model; } public void setModel(String model) { this.model = model; } public String getRegNum() { return regNum; } public void setRegNum(String regNum) { this.regNum = regNum; } public Car(int price, String model, String regNum) { this.price = price; this.model = model; this.regNum = regNum; } }
.version 52 0 .class public super Car .super java/lang/Object .implements java/io/Serializable .field private price I .field private model Ljava/lang/String; .field private regNum Ljava/lang/String; .method public getPrice : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field Car price I L4: ireturn L5: .linenumbertable L0 14 .end linenumbertable .end code .end method .method public hashCode : ()I .code stack 2 locals 1 L0: aload_0 L1: getfield Field Car regNum Ljava/lang/String; L4: invokevirtual Method java/lang/String hashCode ()I L7: bipush 21 L9: imul L10: ireturn L11: .linenumbertable L0 19 .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_1 L7: aload_0 L8: if_acmpne L13 L11: iconst_1 L12: ireturn .stack same L13: aload_1 L14: instanceof Car L17: ifne L22 L20: iconst_0 L21: ireturn .stack same L22: aload_1 L23: checkcast Car L26: astore_2 L27: aload_0 L28: invokevirtual Method Car getRegNum ()Ljava/lang/String; L31: aload_2 L32: invokevirtual Method Car getRegNum ()Ljava/lang/String; L35: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L38: ifeq L43 L41: iconst_1 L42: ireturn .stack append Object Car L43: iconst_0 L44: ireturn L45: .linenumbertable L0 24 L4 25 L6 28 L11 29 L13 32 L20 33 L22 36 L27 37 L41 38 L43 40 .end linenumbertable .end code .end method .method public setPrice : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field Car price I L5: return L6: .linenumbertable L0 44 L5 45 .end linenumbertable .end code .end method .method public getModel : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Car model Ljava/lang/String; L4: areturn L5: .linenumbertable L0 48 .end linenumbertable .end code .end method .method public setModel : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Car model Ljava/lang/String; L5: return L6: .linenumbertable L0 52 L5 53 .end linenumbertable .end code .end method .method public getRegNum : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Car regNum Ljava/lang/String; L4: areturn L5: .linenumbertable L0 56 .end linenumbertable .end code .end method .method public setRegNum : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Car regNum Ljava/lang/String; L5: return L6: .linenumbertable L0 60 L5 61 .end linenumbertable .end code .end method .method public <init> : (ILjava/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: iload_1 L6: putfield Field Car price I L9: aload_0 L10: aload_2 L11: putfield Field Car model Ljava/lang/String; L14: aload_0 L15: aload_3 L16: putfield Field Car regNum Ljava/lang/String; L19: return L20: .linenumbertable L0 63 L4 65 L9 66 L14 67 L19 68 .end linenumbertable .end code .end method .sourcefile 'Car.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 07:14: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 Car_ESTest extends Car_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { Car car0 = new Car(0, "", ""); car0.setRegNum((String) null); car0.getRegNum(); assertEquals(0, car0.getPrice()); } @Test(timeout = 4000) public void test01() throws Throwable { Car car0 = new Car((-71867), "Car", "Car"); car0.getRegNum(); assertEquals((-71867), car0.getPrice()); } @Test(timeout = 4000) public void test02() throws Throwable { Car car0 = new Car(0, "`;KM@6pLC", "`;KM@6pLC"); int int0 = car0.getPrice(); assertEquals(0, int0); } @Test(timeout = 4000) public void test03() throws Throwable { Car car0 = new Car((-40641), "", "rZ`mVGed"); int int0 = car0.getPrice(); assertEquals((-40641), int0); } @Test(timeout = 4000) public void test04() throws Throwable { Car car0 = new Car(0, (String) null, ""); car0.getModel(); assertEquals(0, car0.getPrice()); } @Test(timeout = 4000) public void test05() throws Throwable { Car car0 = new Car((-105260), "%w=R5IetSs", ""); car0.getModel(); assertEquals((-105260), car0.getPrice()); } @Test(timeout = 4000) public void test06() throws Throwable { Car car0 = new Car((-45545), "MjL)qS3)/", ""); car0.getRegNum(); assertEquals((-45545), car0.getPrice()); } @Test(timeout = 4000) public void test07() throws Throwable { Car car0 = new Car(3317, "_", "_"); Car car1 = new Car(3317, "", "_"); boolean boolean0 = car0.equals(car1); assertTrue(boolean0); assertEquals(3317, car1.getPrice()); } @Test(timeout = 4000) public void test08() throws Throwable { Car car0 = new Car((-1909181136), "Car", "O"); boolean boolean0 = car0.equals("Car"); assertFalse(boolean0); assertEquals((-1909181136), car0.getPrice()); } @Test(timeout = 4000) public void test09() throws Throwable { Car car0 = new Car(3317, "", ""); boolean boolean0 = car0.equals(car0); assertTrue(boolean0); assertEquals(3317, car0.getPrice()); } @Test(timeout = 4000) public void test10() throws Throwable { Car car0 = new Car((-8748), "u#+W.drYj9OTnyei", "u#+W.drYj9OTnyei"); boolean boolean0 = car0.equals((Object) null); assertEquals((-8748), car0.getPrice()); assertFalse(boolean0); } @Test(timeout = 4000) public void test11() throws Throwable { Car car0 = new Car((-1909181136), "Car", "O"); car0.setModel("O"); assertEquals((-1909181136), car0.getPrice()); } @Test(timeout = 4000) public void test12() throws Throwable { Car car0 = new Car(0, (String) null, "^Q2g n_0d\"ZcF,\""); car0.hashCode(); assertEquals(0, car0.getPrice()); } @Test(timeout = 4000) public void test13() throws Throwable { Car car0 = new Car(3317, "", ""); car0.getModel(); assertEquals(3317, car0.getPrice()); } @Test(timeout = 4000) public void test14() throws Throwable { Car car0 = new Car((-8748), "u#+W.drYj9OTnyei", "u#+W.drYj9OTnyei"); car0.setPrice((-8748)); assertEquals((-8748), car0.getPrice()); } @Test(timeout = 4000) public void test15() throws Throwable { Car car0 = new Car(3317, "", ""); int int0 = car0.getPrice(); assertEquals(3317, int0); } @Test(timeout = 4000) public void test16() throws Throwable { Car car0 = new Car((-1909181136), "Car", "O"); Car car1 = new Car(1, "[", "["); boolean boolean0 = car0.equals(car1); assertFalse(boolean0); assertEquals(1, car1.getPrice()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 07:14: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 Car_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 = "Car"; 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/tmpgr__6ly2"); 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(Car_ESTest_scaffolding.class.getClassLoader() , "Car" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Car_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Car" ); } }
1,758
Mapping
public class Mapping { protected String inputPluggable; protected String inputInstanceName; protected String inputSlot; protected String outputPluggable; protected String outputInstanceName; protected String outputSlot; public void setInput(String inputPluggable, String inputInstanceName, String inputSlot) { this.inputPluggable = inputPluggable; this.inputSlot = inputSlot; this.inputInstanceName = inputInstanceName; } public void setOutput(String outputPluggable, String outputInstanceName, String outputSlot) { this.outputPluggable = outputPluggable; this.outputSlot = outputSlot; this.outputInstanceName = outputInstanceName; } public String getInputInstanceName() { return inputInstanceName; } public String getInputPluggable() { return inputPluggable; } public String getInputSlot() { return inputSlot; } public String getOutputInstanceName() { return outputInstanceName; } public String getOutputPluggable() { return outputPluggable; } public String getOutputSlot() { return outputSlot; } @Override public String toString() { return "(" + outputPluggable + "#" + outputInstanceName + "(" + outputSlot + ")=>(" + inputPluggable + "#" + inputInstanceName + "(" + inputSlot + "))"; } }
.version 52 0 .class public super Mapping .super java/lang/Object .field protected inputPluggable Ljava/lang/String; .field protected inputInstanceName Ljava/lang/String; .field protected inputSlot Ljava/lang/String; .field protected outputPluggable Ljava/lang/String; .field protected outputInstanceName Ljava/lang/String; .field protected outputSlot 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 .method public setInput : (Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V .code stack 2 locals 4 L0: aload_0 L1: aload_1 L2: putfield Field Mapping inputPluggable Ljava/lang/String; L5: aload_0 L6: aload_3 L7: putfield Field Mapping inputSlot Ljava/lang/String; L10: aload_0 L11: aload_2 L12: putfield Field Mapping inputInstanceName Ljava/lang/String; L15: return L16: .linenumbertable L0 13 L5 14 L10 15 L15 16 .end linenumbertable .end code .end method .method public setOutput : (Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V .code stack 2 locals 4 L0: aload_0 L1: aload_1 L2: putfield Field Mapping outputPluggable Ljava/lang/String; L5: aload_0 L6: aload_3 L7: putfield Field Mapping outputSlot Ljava/lang/String; L10: aload_0 L11: aload_2 L12: putfield Field Mapping outputInstanceName Ljava/lang/String; L15: return L16: .linenumbertable L0 19 L5 20 L10 21 L15 22 .end linenumbertable .end code .end method .method public getInputInstanceName : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Mapping inputInstanceName Ljava/lang/String; L4: areturn L5: .linenumbertable L0 25 .end linenumbertable .end code .end method .method public getInputPluggable : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Mapping inputPluggable Ljava/lang/String; L4: areturn L5: .linenumbertable L0 29 .end linenumbertable .end code .end method .method public getInputSlot : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Mapping inputSlot Ljava/lang/String; L4: areturn L5: .linenumbertable L0 33 .end linenumbertable .end code .end method .method public getOutputInstanceName : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Mapping outputInstanceName Ljava/lang/String; L4: areturn L5: .linenumbertable L0 37 .end linenumbertable .end code .end method .method public getOutputPluggable : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Mapping outputPluggable Ljava/lang/String; L4: areturn L5: .linenumbertable L0 41 .end linenumbertable .end code .end method .method public getOutputSlot : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Mapping outputSlot Ljava/lang/String; L4: areturn L5: .linenumbertable L0 45 .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 '(' L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L12: aload_0 L13: getfield Field Mapping outputPluggable Ljava/lang/String; L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L19: ldc '#' L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L24: aload_0 L25: getfield Field Mapping outputInstanceName Ljava/lang/String; L28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L31: ldc '(' L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L36: aload_0 L37: getfield Field Mapping outputSlot Ljava/lang/String; L40: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L43: ldc ')=>(' L45: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L48: aload_0 L49: getfield Field Mapping inputPluggable 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: aload_0 L61: getfield Field Mapping inputInstanceName Ljava/lang/String; L64: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L67: ldc '(' L69: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L72: aload_0 L73: getfield Field Mapping inputSlot Ljava/lang/String; L76: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L79: ldc '))' L81: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L84: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L87: areturn L88: .linenumbertable L0 50 .end linenumbertable .end code .end method .sourcefile 'Mapping.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 09:44: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 Mapping_ESTest extends Mapping_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { Mapping mapping0 = new Mapping(); mapping0.setOutput("#", "(null#null(null)=>(null#null(null))", "(null#null(null)=>(null#null(null))"); String string0 = mapping0.getOutputSlot(); assertEquals("(null#null(null)=>(null#null(null))", string0); } @Test(timeout = 4000) public void test01() throws Throwable { Mapping mapping0 = new Mapping(); mapping0.setOutput("", "P[\"7", ""); String string0 = mapping0.getOutputSlot(); assertEquals("", string0); } @Test(timeout = 4000) public void test02() throws Throwable { Mapping mapping0 = new Mapping(); mapping0.setOutput("#", "(null#null(null)=>(null#null(null))", "(null#null(null)=>(null#null(null))"); String string0 = mapping0.getOutputPluggable(); assertEquals("#", string0); } @Test(timeout = 4000) public void test03() throws Throwable { Mapping mapping0 = new Mapping(); mapping0.outputPluggable = ""; String string0 = mapping0.getOutputPluggable(); assertEquals("", string0); } @Test(timeout = 4000) public void test04() throws Throwable { Mapping mapping0 = new Mapping(); mapping0.setOutput("", "P[\"7", ""); String string0 = mapping0.getOutputInstanceName(); assertEquals("P[\"7", string0); } @Test(timeout = 4000) public void test05() throws Throwable { Mapping mapping0 = new Mapping(); mapping0.setOutput("", "", "8+T,EOdIcGIt0FJ"); String string0 = mapping0.getOutputInstanceName(); assertEquals("", string0); } @Test(timeout = 4000) public void test06() throws Throwable { Mapping mapping0 = new Mapping(); mapping0.setInput("#", "#", "#"); String string0 = mapping0.getInputSlot(); assertEquals("#", string0); } @Test(timeout = 4000) public void test07() throws Throwable { Mapping mapping0 = new Mapping(); mapping0.setInput("", "", ""); String string0 = mapping0.getInputSlot(); assertEquals("", string0); } @Test(timeout = 4000) public void test08() throws Throwable { Mapping mapping0 = new Mapping(); mapping0.setInput("gsp", "", "(oQ"); String string0 = mapping0.getInputPluggable(); assertEquals("gsp", string0); } @Test(timeout = 4000) public void test09() throws Throwable { Mapping mapping0 = new Mapping(); mapping0.setInput("", "", ""); String string0 = mapping0.getInputPluggable(); assertEquals("", string0); } @Test(timeout = 4000) public void test10() throws Throwable { Mapping mapping0 = new Mapping(); mapping0.setInput("#", "#", "#"); String string0 = mapping0.getInputInstanceName(); assertEquals("#", string0); } @Test(timeout = 4000) public void test11() throws Throwable { Mapping mapping0 = new Mapping(); mapping0.setInput("", "", ""); String string0 = mapping0.getInputInstanceName(); assertEquals("", string0); } @Test(timeout = 4000) public void test12() throws Throwable { Mapping mapping0 = new Mapping(); String string0 = mapping0.getInputPluggable(); assertNull(string0); } @Test(timeout = 4000) public void test13() throws Throwable { Mapping mapping0 = new Mapping(); String string0 = mapping0.getOutputSlot(); assertNull(string0); } @Test(timeout = 4000) public void test14() throws Throwable { Mapping mapping0 = new Mapping(); String string0 = mapping0.toString(); assertEquals("(null#null(null)=>(null#null(null))", string0); } @Test(timeout = 4000) public void test15() throws Throwable { Mapping mapping0 = new Mapping(); String string0 = mapping0.getOutputPluggable(); assertNull(string0); } @Test(timeout = 4000) public void test16() throws Throwable { Mapping mapping0 = new Mapping(); String string0 = mapping0.getInputSlot(); assertNull(string0); } @Test(timeout = 4000) public void test17() throws Throwable { Mapping mapping0 = new Mapping(); String string0 = mapping0.getInputInstanceName(); assertNull(string0); } @Test(timeout = 4000) public void test18() throws Throwable { Mapping mapping0 = new Mapping(); String string0 = mapping0.getOutputInstanceName(); assertNull(string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 09:44: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 Mapping_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 = "Mapping"; 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/tmpp16bja0q"); 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(Mapping_ESTest_scaffolding.class.getClassLoader() , "Mapping" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Mapping_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Mapping" ); } }
1,759
TicTacToeTomekDomain
public class TicTacToeTomekDomain { private int caseNumber; private String[][] caseItems; private boolean hasEmptySpace = false; public int getCaseNumber() { return caseNumber; } public void setCaseNumber(int caseNumber) { this.caseNumber = caseNumber; } public String[][] getCaseItems() { return caseItems; } public void setCaseItems(String[][] caseItems) { this.caseItems = caseItems; } public boolean isHasEmptySpace() { return hasEmptySpace; } public void setHasEmptySpace(boolean hasEmptySpace) { this.hasEmptySpace = hasEmptySpace; } }
.version 52 0 .class public super TicTacToeTomekDomain .super java/lang/Object .field private caseNumber I .field private caseItems [[Ljava/lang/String; .field private hasEmptySpace 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 TicTacToeTomekDomain hasEmptySpace Z L9: return L10: .linenumbertable L0 3 L4 7 .end linenumbertable .end code .end method .method public getCaseNumber : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field TicTacToeTomekDomain caseNumber I L4: ireturn L5: .linenumbertable L0 10 .end linenumbertable .end code .end method .method public setCaseNumber : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field TicTacToeTomekDomain caseNumber I L5: return L6: .linenumbertable L0 14 L5 15 .end linenumbertable .end code .end method .method public getCaseItems : ()[[Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field TicTacToeTomekDomain caseItems [[Ljava/lang/String; L4: areturn L5: .linenumbertable L0 18 .end linenumbertable .end code .end method .method public setCaseItems : ([[Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field TicTacToeTomekDomain caseItems [[Ljava/lang/String; L5: return L6: .linenumbertable L0 22 L5 23 .end linenumbertable .end code .end method .method public isHasEmptySpace : ()Z .code stack 1 locals 1 L0: aload_0 L1: getfield Field TicTacToeTomekDomain hasEmptySpace Z L4: ireturn L5: .linenumbertable L0 26 .end linenumbertable .end code .end method .method public setHasEmptySpace : (Z)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field TicTacToeTomekDomain hasEmptySpace Z L5: return L6: .linenumbertable L0 30 L5 31 .end linenumbertable .end code .end method .sourcefile 'TicTacToeTomekDomain.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 03:13:50 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 TicTacToeTomekDomain_ESTest extends TicTacToeTomekDomain_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { TicTacToeTomekDomain ticTacToeTomekDomain0 = new TicTacToeTomekDomain(); assertFalse(ticTacToeTomekDomain0.isHasEmptySpace()); ticTacToeTomekDomain0.setHasEmptySpace(true); boolean boolean0 = ticTacToeTomekDomain0.isHasEmptySpace(); assertTrue(boolean0); } @Test(timeout = 4000) public void test1() throws Throwable { TicTacToeTomekDomain ticTacToeTomekDomain0 = new TicTacToeTomekDomain(); ticTacToeTomekDomain0.setCaseNumber(11539); int int0 = ticTacToeTomekDomain0.getCaseNumber(); assertEquals(11539, int0); } @Test(timeout = 4000) public void test2() throws Throwable { TicTacToeTomekDomain ticTacToeTomekDomain0 = new TicTacToeTomekDomain(); ticTacToeTomekDomain0.setCaseNumber((-48852)); int int0 = ticTacToeTomekDomain0.getCaseNumber(); assertEquals((-48852), int0); } @Test(timeout = 4000) public void test3() throws Throwable { TicTacToeTomekDomain ticTacToeTomekDomain0 = new TicTacToeTomekDomain(); String[][] stringArray0 = new String[0][1]; ticTacToeTomekDomain0.setCaseItems(stringArray0); ticTacToeTomekDomain0.getCaseItems(); assertFalse(ticTacToeTomekDomain0.isHasEmptySpace()); } @Test(timeout = 4000) public void test4() throws Throwable { TicTacToeTomekDomain ticTacToeTomekDomain0 = new TicTacToeTomekDomain(); int int0 = ticTacToeTomekDomain0.getCaseNumber(); assertEquals(0, int0); assertFalse(ticTacToeTomekDomain0.isHasEmptySpace()); } @Test(timeout = 4000) public void test5() throws Throwable { TicTacToeTomekDomain ticTacToeTomekDomain0 = new TicTacToeTomekDomain(); boolean boolean0 = ticTacToeTomekDomain0.isHasEmptySpace(); assertFalse(boolean0); } @Test(timeout = 4000) public void test6() throws Throwable { TicTacToeTomekDomain ticTacToeTomekDomain0 = new TicTacToeTomekDomain(); String[][] stringArray0 = new String[1][8]; ticTacToeTomekDomain0.setCaseItems(stringArray0); ticTacToeTomekDomain0.getCaseItems(); assertFalse(ticTacToeTomekDomain0.isHasEmptySpace()); } @Test(timeout = 4000) public void test7() throws Throwable { TicTacToeTomekDomain ticTacToeTomekDomain0 = new TicTacToeTomekDomain(); ticTacToeTomekDomain0.getCaseItems(); assertFalse(ticTacToeTomekDomain0.isHasEmptySpace()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 03:13:50 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 TicTacToeTomekDomain_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 = "TicTacToeTomekDomain"; 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/tmpdoz83os5"); 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(TicTacToeTomekDomain_ESTest_scaffolding.class.getClassLoader() , "TicTacToeTomekDomain" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TicTacToeTomekDomain_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "TicTacToeTomekDomain" ); } }
1,760
Persona
public class Persona { private String identificacion; private String nombre; private String apellido; public Persona(String identificacion, String nombre, String apellido) { this.identificacion = identificacion; this.nombre = nombre; this.apellido = apellido; } public String getIdentificacion() { return identificacion; } public void setIdentificacion(String identificacion) { this.identificacion = identificacion; } public String getNombre() { return nombre; } public void setNombre(String nombre) { this.nombre = nombre; } public String getApellido() { return apellido; } public void setApellido(String apellido) { this.apellido = apellido; } }
.version 52 0 .class public super Persona .super java/lang/Object .field private identificacion Ljava/lang/String; .field private nombre Ljava/lang/String; .field private apellido 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 Persona identificacion Ljava/lang/String; L9: aload_0 L10: aload_2 L11: putfield Field Persona nombre Ljava/lang/String; L14: aload_0 L15: aload_3 L16: putfield Field Persona apellido Ljava/lang/String; L19: return L20: .linenumbertable L0 8 L4 9 L9 10 L14 11 L19 12 .end linenumbertable .end code .end method .method public getIdentificacion : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Persona identificacion Ljava/lang/String; L4: areturn L5: .linenumbertable L0 15 .end linenumbertable .end code .end method .method public setIdentificacion : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Persona identificacion Ljava/lang/String; L5: return L6: .linenumbertable L0 19 L5 20 .end linenumbertable .end code .end method .method public getNombre : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Persona nombre Ljava/lang/String; L4: areturn L5: .linenumbertable L0 23 .end linenumbertable .end code .end method .method public setNombre : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Persona nombre Ljava/lang/String; L5: return L6: .linenumbertable L0 27 L5 28 .end linenumbertable .end code .end method .method public getApellido : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Persona apellido Ljava/lang/String; L4: areturn L5: .linenumbertable L0 31 .end linenumbertable .end code .end method .method public setApellido : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Persona apellido Ljava/lang/String; L5: return L6: .linenumbertable L0 35 L5 36 .end linenumbertable .end code .end method .sourcefile 'Persona.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 14:03: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 Persona_ESTest extends Persona_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Persona persona0 = new Persona("jV-w uxVKwQw", "", ""); persona0.setNombre((String) null); String string0 = persona0.getNombre(); assertNull(string0); } @Test(timeout = 4000) public void test1() throws Throwable { Persona persona0 = new Persona("", "", ""); String string0 = persona0.getNombre(); assertEquals("", string0); } @Test(timeout = 4000) public void test2() throws Throwable { Persona persona0 = new Persona("jV-w uxVKwQw", "", ""); persona0.setIdentificacion((String) null); String string0 = persona0.getIdentificacion(); assertNull(string0); } @Test(timeout = 4000) public void test3() throws Throwable { Persona persona0 = new Persona((String) null, (String) null, ""); persona0.setIdentificacion("_0=Tu f..Fn"); String string0 = persona0.getIdentificacion(); assertEquals("_0=Tu f..Fn", string0); } @Test(timeout = 4000) public void test4() throws Throwable { Persona persona0 = new Persona("jV-w uxVKwQw", "", ""); persona0.setApellido((String) null); String string0 = persona0.getApellido(); assertNull(string0); } @Test(timeout = 4000) public void test5() throws Throwable { Persona persona0 = new Persona("", ".h\"~Hf\"&{v0#", ""); persona0.setApellido(".h\"~Hf\"&{v0#"); String string0 = persona0.getApellido(); assertEquals(".h\"~Hf\"&{v0#", string0); } @Test(timeout = 4000) public void test6() throws Throwable { Persona persona0 = new Persona("", ".h\"~Hf\"&{v0#", ""); String string0 = persona0.getApellido(); assertEquals("", string0); } @Test(timeout = 4000) public void test7() throws Throwable { Persona persona0 = new Persona("", ".h\"~Hf\"&{v0#", ""); String string0 = persona0.getNombre(); assertEquals(".h\"~Hf\"&{v0#", string0); } @Test(timeout = 4000) public void test8() throws Throwable { Persona persona0 = new Persona("", "", ""); String string0 = persona0.getIdentificacion(); assertEquals("", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 14:03: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 Persona_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 = "Persona"; 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/tmph8h4tyyr"); 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(Persona_ESTest_scaffolding.class.getClassLoader() , "Persona" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Persona_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Persona" ); } }
1,761
CORSConfigurationException
/** * CORS filter configuration exception, intended to report invalid init parameters at startup. * * @author Vladimir Dzhuvinov * @version $version$ (2010-09-27) */ public class CORSConfigurationException extends Exception { /** * Creates a new CORS filter configuration exception with the specified message. * * @param message The exception message. */ public CORSConfigurationException(final String message) { super(message); } }
.version 52 0 .class public super CORSConfigurationException .super java/lang/Exception .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 22 L5 23 .end linenumbertable .end code .end method .sourcefile 'CORSConfigurationException.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 17: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 CORSConfigurationException_ESTest extends CORSConfigurationException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { CORSConfigurationException cORSConfigurationException0 = new CORSConfigurationException("C)OqPW)3eiX;]^i~EO"); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 17: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 CORSConfigurationException_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 = "CORSConfigurationException"; 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/tmpp9z_xnat"); 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(CORSConfigurationException_ESTest_scaffolding.class.getClassLoader() , "CORSConfigurationException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CORSConfigurationException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "CORSConfigurationException" ); } }
1,762
DiagonalDifference
import java.io.*; import java.util.*; public class DiagonalDifference { public static void main(String[] args) { Scanner in = new Scanner(System.in); int N = in.nextInt(); int[][] array = new int[N][N]; for (int i = 0; i < N; i++) { for (int j = 0; j < N; j++) { array[i][j] = in.nextInt(); } } int d1Sum = 0; int d2Sum = 0; for (int i = 0; i < N; i++) { d1Sum += array[i][i]; } for (int i = 0; i < N; i++) { d2Sum += array[i][N - i - 1]; } System.out.println(Math.abs(d1Sum - d2Sum)); } }
.version 52 0 .class public super DiagonalDifference .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 static main : ([Ljava/lang/String;)V .code stack 4 locals 7 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: aload_1 L12: invokevirtual Method java/util/Scanner nextInt ()I L15: istore_2 L16: iload_2 L17: iload_2 L18: multianewarray [[I 2 L22: astore_3 L23: iconst_0 L24: istore 4 .stack full locals Object [Ljava/lang/String; Object java/util/Scanner Integer Object [[I Integer stack .end stack L26: iload 4 L28: iload_2 L29: if_icmpge L64 L32: iconst_0 L33: istore 5 .stack append Integer L35: iload 5 L37: iload_2 L38: if_icmpge L58 L41: aload_3 L42: iload 4 L44: aaload L45: iload 5 L47: aload_1 L48: invokevirtual Method java/util/Scanner nextInt ()I L51: iastore L52: iinc 5 1 L55: goto L35 .stack chop 1 L58: iinc 4 1 L61: goto L26 .stack chop 1 L64: iconst_0 L65: istore 4 L67: iconst_0 L68: istore 5 L70: iconst_0 L71: istore 6 .stack append Integer Integer Integer L73: iload 6 L75: iload_2 L76: if_icmpge L97 L79: iload 4 L81: aload_3 L82: iload 6 L84: aaload L85: iload 6 L87: iaload L88: iadd L89: istore 4 L91: iinc 6 1 L94: goto L73 .stack chop 1 L97: iconst_0 L98: istore 6 .stack append Integer L100: iload 6 L102: iload_2 L103: if_icmpge L128 L106: iload 5 L108: aload_3 L109: iload 6 L111: aaload L112: iload_2 L113: iload 6 L115: isub L116: iconst_1 L117: isub L118: iaload L119: iadd L120: istore 5 L122: iinc 6 1 L125: goto L100 .stack chop 1 L128: getstatic Field java/lang/System out Ljava/io/PrintStream; L131: iload 4 L133: iload 5 L135: isub L136: invokestatic Method java/lang/Math abs (I)I L139: invokevirtual Method java/io/PrintStream println (I)V L142: return L143: .linenumbertable L0 7 L11 8 L16 10 L23 12 L32 13 L41 14 L52 13 L58 12 L64 18 L67 19 L70 21 L79 22 L91 21 L97 25 L106 26 L122 25 L128 29 L142 30 .end linenumbertable .end code .end method .sourcefile 'DiagonalDifference.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 17:59:19 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 DiagonalDifference_ESTest extends DiagonalDifference_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { String[] stringArray0 = new String[6]; SystemInUtil.addInputLine("5"); // Undeclared exception! try { DiagonalDifference.main(stringArray0); fail("Expecting exception: NoSuchElementException"); } catch(NoSuchElementException e) { // // no message in exception (getMessage() returned null) // verifyException("java.util.Scanner", e); } } @Test(timeout = 4000) public void test1() throws Throwable { DiagonalDifference diagonalDifference0 = new DiagonalDifference(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 17:59: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 DiagonalDifference_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 = "DiagonalDifference"; 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/tmpa_2a217z"); 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(DiagonalDifference_ESTest_scaffolding.class.getClassLoader() , "DiagonalDifference" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DiagonalDifference_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "DiagonalDifference" ); } }
1,763
ProgramSettings
public class ProgramSettings { public float content_button_font_size = 15; public float content_text_font_size = 11; public String program_name = "Device Manager"; public String program_version = "2014-07-16_00-28-17"; public String program_site = "http://ququdev.com"; public ProgramSettings() {} }
.version 52 0 .class public super ProgramSettings .super java/lang/Object .field public content_button_font_size F .field public content_text_font_size F .field public program_name Ljava/lang/String; .field public program_version Ljava/lang/String; .field public program_site 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 +15.0f L7: putfield Field ProgramSettings content_button_font_size F L10: aload_0 L11: ldc +11.0f L13: putfield Field ProgramSettings content_text_font_size F L16: aload_0 L17: ldc 'Device Manager' L19: putfield Field ProgramSettings program_name Ljava/lang/String; L22: aload_0 L23: ldc '2014-07-16_00-28-17' L25: putfield Field ProgramSettings program_version Ljava/lang/String; L28: aload_0 L29: ldc 'http://ququdev.com' L31: putfield Field ProgramSettings program_site Ljava/lang/String; L34: return L35: .linenumbertable L0 14 L4 5 L10 6 L16 8 L22 10 L28 12 L34 16 .end linenumbertable .end code .end method .sourcefile 'ProgramSettings.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 22:27: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 ProgramSettings_ESTest extends ProgramSettings_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { ProgramSettings programSettings0 = new ProgramSettings(); assertEquals(11.0F, programSettings0.content_text_font_size, 0.01F); assertEquals(15.0F, programSettings0.content_button_font_size, 0.01F); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 22:27: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 ProgramSettings_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 = "ProgramSettings"; 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_ptle0ip"); 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(ProgramSettings_ESTest_scaffolding.class.getClassLoader() , "ProgramSettings" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ProgramSettings_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ProgramSettings" ); } }
1,764
Exercise216
// Prentice Hall Java 10 book excercise 2.16 /* Write an application that asks the user to enter two integers, obtains them from the user and displays the larger number. Followed by the words "is larger". If the numbers are equal, print the message "These numbers are equal".*/ import java.util.Scanner; // Importing the library for obtaining user input public class Exercise216 { public static void main(String[] args) { Scanner input = new Scanner(System.in); // Declaration and initzialization int a = 0; int b = 0; System.out.print("Enter the first whole Number: "); a = input.nextInt(); System.out.print("Enter the second whole Number: "); b = input.nextInt(); if (a > b) { System.out.printf("The First number %d is larger.", a); } else if (b > a) { System.out.printf("The First number %d is larger.", b); } else { System.out.printf("The two numbers are equal."); } } }
.version 52 0 .class public super Exercise216 .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 6 locals 4 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: iconst_0 L12: istore_2 L13: iconst_0 L14: istore_3 L15: getstatic Field java/lang/System out Ljava/io/PrintStream; L18: ldc 'Enter the first whole Number: ' L20: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V L23: aload_1 L24: invokevirtual Method java/util/Scanner nextInt ()I L27: istore_2 L28: getstatic Field java/lang/System out Ljava/io/PrintStream; L31: ldc 'Enter the second whole Number: ' L33: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V L36: aload_1 L37: invokevirtual Method java/util/Scanner nextInt ()I L40: istore_3 L41: iload_2 L42: iload_3 L43: if_icmple L69 L46: getstatic Field java/lang/System out Ljava/io/PrintStream; L49: ldc 'The First number %d is larger.' L51: iconst_1 L52: anewarray java/lang/Object L55: dup L56: iconst_0 L57: iload_2 L58: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; L61: aastore L62: invokevirtual Method java/io/PrintStream printf (Ljava/lang/String;[Ljava/lang/Object;)Ljava/io/PrintStream; L65: pop L66: goto L110 .stack append Object java/util/Scanner Integer Integer L69: iload_3 L70: iload_2 L71: if_icmple L97 L74: getstatic Field java/lang/System out Ljava/io/PrintStream; L77: ldc 'The First number %d is larger.' L79: iconst_1 L80: anewarray java/lang/Object L83: dup L84: iconst_0 L85: iload_3 L86: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; L89: aastore L90: invokevirtual Method java/io/PrintStream printf (Ljava/lang/String;[Ljava/lang/Object;)Ljava/io/PrintStream; L93: pop L94: goto L110 .stack same L97: getstatic Field java/lang/System out Ljava/io/PrintStream; L100: ldc 'The two numbers are equal.' L102: iconst_0 L103: anewarray java/lang/Object L106: invokevirtual Method java/io/PrintStream printf (Ljava/lang/String;[Ljava/lang/Object;)Ljava/io/PrintStream; L109: pop .stack same L110: return L111: .linenumbertable L0 10 L11 12 L13 13 L15 15 L23 16 L28 17 L36 18 L41 20 L46 21 L69 23 L74 24 L97 27 L110 29 .end linenumbertable .end code .end method .sourcefile 'Exercise216.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 18:28:51 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 Exercise216_ESTest extends Exercise216_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { String[] stringArray0 = new String[0]; // Undeclared exception! try { Exercise216.main(stringArray0); fail("Expecting exception: NoSuchElementException"); } catch(NoSuchElementException e) { // // no message in exception (getMessage() returned null) // verifyException("java.util.Scanner", e); } } @Test(timeout = 4000) public void test1() throws Throwable { Exercise216 exercise216_0 = new Exercise216(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 18:28: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 Exercise216_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 = "Exercise216"; 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/tmp7njjdqnq"); 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(Exercise216_ESTest_scaffolding.class.getClassLoader() , "Exercise216" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Exercise216_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Exercise216" ); } }
1,765
DifferenceOfSquaresCalculator
public final class DifferenceOfSquaresCalculator {}
.version 52 0 .class public final super DifferenceOfSquaresCalculator .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 1 .end linenumbertable .end code .end method .sourcefile 'DifferenceOfSquaresCalculator.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 20:15: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 DifferenceOfSquaresCalculator_ESTest extends DifferenceOfSquaresCalculator_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { DifferenceOfSquaresCalculator differenceOfSquaresCalculator0 = new DifferenceOfSquaresCalculator(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 20:15: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 DifferenceOfSquaresCalculator_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 = "DifferenceOfSquaresCalculator"; 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/tmpjuejv63c"); 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(DifferenceOfSquaresCalculator_ESTest_scaffolding.class.getClassLoader() , "DifferenceOfSquaresCalculator" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DifferenceOfSquaresCalculator_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "DifferenceOfSquaresCalculator" ); } }
1,766
ThreadUtil
// Copyright © 2011, Esko Luontola <www.orfjackal.net> // This software is released under the Apache License 2.0. // The license text is at http://www.apache.org/licenses/LICENSE-2.0 import java.util.concurrent.*; public class ThreadUtil { public static void runInNewThread(String threadName, Runnable target) throws Throwable { FutureTask<Object> future = new FutureTask<Object>(target, null); new Thread(future, threadName).start(); try { future.get(); } catch (ExecutionException e) { throw e.getCause(); } } public static Throwable getExceptionFromNewThread(String threadName, Runnable target) { try { runInNewThread(threadName, target); } catch (Throwable throwable) { return throwable; } throw new AssertionError("Expected to throw an exception but did not throw anything"); } }
.version 52 0 .class public super ThreadUtil .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 runInNewThread : (Ljava/lang/String;Ljava/lang/Runnable;)V .code stack 4 locals 4 L0: new java/util/concurrent/FutureTask L3: dup L4: aload_1 L5: aconst_null L6: invokespecial Method java/util/concurrent/FutureTask <init> (Ljava/lang/Runnable;Ljava/lang/Object;)V L9: astore_2 L10: new java/lang/Thread L13: dup L14: aload_2 L15: aload_0 L16: invokespecial Method java/lang/Thread <init> (Ljava/lang/Runnable;Ljava/lang/String;)V L19: invokevirtual Method java/lang/Thread start ()V .catch java/util/concurrent/ExecutionException from L22 to L27 using L30 L22: aload_2 L23: invokevirtual Method java/util/concurrent/FutureTask get ()Ljava/lang/Object; L26: pop L27: goto L36 .stack full locals Object java/lang/String Object java/lang/Runnable Object java/util/concurrent/FutureTask stack Object java/util/concurrent/ExecutionException .end stack L30: astore_3 L31: aload_3 L32: invokevirtual Method java/util/concurrent/ExecutionException getCause ()Ljava/lang/Throwable; L35: athrow .stack same L36: return L37: .linenumbertable L0 12 L10 13 L22 15 L27 18 L30 16 L31 17 L36 19 .end linenumbertable .end code .exceptions java/lang/Throwable .end method .method public static getExceptionFromNewThread : (Ljava/lang/String;Ljava/lang/Runnable;)Ljava/lang/Throwable; .code stack 3 locals 3 .catch java/lang/Throwable from L0 to L5 using L8 L0: aload_0 L1: aload_1 L2: invokestatic Method ThreadUtil runInNewThread (Ljava/lang/String;Ljava/lang/Runnable;)V L5: goto L11 .stack stack_1 Object java/lang/Throwable L8: astore_2 L9: aload_2 L10: areturn .stack same L11: new java/lang/AssertionError L14: dup L15: ldc 'Expected to throw an exception but did not throw anything' L17: invokespecial Method java/lang/AssertionError <init> (Ljava/lang/Object;)V L20: athrow L21: .linenumbertable L0 23 L5 26 L8 24 L9 25 L11 27 .end linenumbertable .end code .end method .sourcefile 'ThreadUtil.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 20:50:41 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.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 ThreadUtil_ESTest extends ThreadUtil_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Thread thread0 = MockThread.currentThread(); try { ThreadUtil.runInNewThread((String) null, thread0); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // name cannot be null // verifyException("java.lang.Thread", e); } } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 20:50: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 ThreadUtil_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 = "ThreadUtil"; 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/tmp1ym3duxl"); 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(ThreadUtil_ESTest_scaffolding.class.getClassLoader() , "ThreadUtil" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ThreadUtil_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ThreadUtil" ); } }
1,767
Calculator
/** * Class Калькулятор + - * / ^. * * @author Fedor Bochkarev (mailto:[email protected]) * @version 1 * @since 04.08.2017 */ public class Calculator { /** * @voids */ private double result; /** * Метод считает сумму двух чисел. * * @param first первое число * @param second второе число */ public void add(double first, double second) { this.result = first + second; } /** * Метод считает разницу двух чисел. * * @param first первое число * @param second второе число */ public void subtract(double first, double second) { this.result = first - second; } /** * Метод делет два чисела. * * @param first первое число * @param second второе число */ public void div(double first, double second) { this.result = first / second; } /** * Метод умножает два числа. * * @param first первое число * @param second второе число */ public void multiple(double first, double second) { this.result = first * second; } /** * Метод возвращает переменную результат. * * @return возвращает результат */ public double getResult() { return result; } }
.version 52 0 .class public super Calculator .super java/lang/Object .field private result D .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 add : (DD)V .code stack 5 locals 5 L0: aload_0 L1: dload_1 L2: dload_3 L3: dadd L4: putfield Field Calculator result D L7: return L8: .linenumbertable L0 24 L7 25 .end linenumbertable .end code .end method .method public subtract : (DD)V .code stack 5 locals 5 L0: aload_0 L1: dload_1 L2: dload_3 L3: dsub L4: putfield Field Calculator result D L7: return L8: .linenumbertable L0 34 L7 35 .end linenumbertable .end code .end method .method public div : (DD)V .code stack 5 locals 5 L0: aload_0 L1: dload_1 L2: dload_3 L3: ddiv L4: putfield Field Calculator result D L7: return L8: .linenumbertable L0 44 L7 45 .end linenumbertable .end code .end method .method public multiple : (DD)V .code stack 5 locals 5 L0: aload_0 L1: dload_1 L2: dload_3 L3: dmul L4: putfield Field Calculator result D L7: return L8: .linenumbertable L0 54 L7 55 .end linenumbertable .end code .end method .method public getResult : ()D .code stack 2 locals 1 L0: aload_0 L1: getfield Field Calculator result D L4: dreturn L5: .linenumbertable L0 63 .end linenumbertable .end code .end method .sourcefile 'Calculator.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 02:56: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 Calculator_ESTest extends Calculator_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Calculator calculator0 = new Calculator(); calculator0.subtract((-21130.924879565), (-21130.924879565)); assertEquals(0.0, calculator0.getResult(), 1.0E-4); } @Test(timeout = 4000) public void test1() throws Throwable { Calculator calculator0 = new Calculator(); calculator0.div((-6548.2954), (-6548.2954)); double double0 = calculator0.getResult(); assertEquals(1.0, double0, 1.0E-4); } @Test(timeout = 4000) public void test2() throws Throwable { Calculator calculator0 = new Calculator(); double double0 = calculator0.getResult(); assertEquals(0.0, double0, 1.0E-4); } @Test(timeout = 4000) public void test3() throws Throwable { Calculator calculator0 = new Calculator(); calculator0.multiple((-19507.52609614832), (-19507.52609614832)); assertEquals(3.805435743919078E8, calculator0.getResult(), 1.0E-4); } @Test(timeout = 4000) public void test4() throws Throwable { Calculator calculator0 = new Calculator(); calculator0.subtract((-42276.36898555696), 0.0); double double0 = calculator0.getResult(); assertEquals((-42276.36898555696), double0, 1.0E-4); } @Test(timeout = 4000) public void test5() throws Throwable { Calculator calculator0 = new Calculator(); calculator0.add(1.0, 1.0); assertEquals(2.0, calculator0.getResult(), 1.0E-4); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 02:56: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 Calculator_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 = "Calculator"; 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/tmprgo4pwhx"); 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(Calculator_ESTest_scaffolding.class.getClassLoader() , "Calculator" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Calculator_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Calculator" ); } }
1,768
CheckVariableName
/* * To change this template, choose Tools | Templates * and open the template in the editor. */ /** * Checks that a variable name is proper syntax * * @author Bill Jellesma */ public class CheckVariableName { /** * @param name * @return false */ public Boolean isGood(String name) { if (name.matches("^[$a-zA-Z][$a-zA-Z0-9]*?$")) { return true; } return false; } } // ~ Formatted by Jindent --- http://www.jindent.com
.version 52 0 .class public super CheckVariableName .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 isGood : (Ljava/lang/String;)Ljava/lang/Boolean; .code stack 2 locals 2 L0: aload_1 L1: ldc '^[$a-zA-Z][$a-zA-Z0-9]*?$' L3: invokevirtual Method java/lang/String matches (Ljava/lang/String;)Z L6: ifeq L14 L9: iconst_1 L10: invokestatic Method java/lang/Boolean valueOf (Z)Ljava/lang/Boolean; L13: areturn .stack same L14: iconst_0 L15: invokestatic Method java/lang/Boolean valueOf (Z)Ljava/lang/Boolean; L18: areturn L19: .linenumbertable L0 19 L9 20 L14 23 .end linenumbertable .end code .end method .sourcefile 'CheckVariableName.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 08:27: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 CheckVariableName_ESTest extends CheckVariableName_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { CheckVariableName checkVariableName0 = new CheckVariableName(); Boolean boolean0 = checkVariableName0.isGood("CheckVariableNuame"); assertTrue(boolean0); } @Test(timeout = 4000) public void test1() throws Throwable { CheckVariableName checkVariableName0 = new CheckVariableName(); Boolean boolean0 = checkVariableName0.isGood(""); assertFalse(boolean0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 08:27: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 CheckVariableName_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 = "CheckVariableName"; 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/tmp7txib6qy"); 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(CheckVariableName_ESTest_scaffolding.class.getClassLoader() , "CheckVariableName" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CheckVariableName_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "CheckVariableName" ); } }
1,769
KCApiClientInfo
public class KCApiClientInfo {}
.version 52 0 .class public super KCApiClientInfo .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 'KCApiClientInfo.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 06:58:48 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 KCApiClientInfo_ESTest extends KCApiClientInfo_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { KCApiClientInfo kCApiClientInfo0 = new KCApiClientInfo(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 06:58:48 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 KCApiClientInfo_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 = "KCApiClientInfo"; 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/tmp35981f5w"); 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(KCApiClientInfo_ESTest_scaffolding.class.getClassLoader() , "KCApiClientInfo" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(KCApiClientInfo_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "KCApiClientInfo" ); } }
1,770
ByteBufferStream
import java.io.IOException; import java.io.InputStream; import java.nio.ByteBuffer; public class ByteBufferStream extends InputStream { private ByteBuffer buf; public ByteBufferStream(ByteBuffer buf) { this.buf = buf; } public int read() throws IOException { if (!buf.hasRemaining()) { return -1; } return buf.get() & 0xFF; } public int read(byte[] bytes, int off, int len) throws IOException { if (!buf.hasRemaining()) { return -1; } len = Math.min(len, buf.remaining()); buf.get(bytes, off, len); return len; } }
.version 52 0 .class public super ByteBufferStream .super java/io/InputStream .field private buf Ljava/nio/ByteBuffer; .method public <init> : (Ljava/nio/ByteBuffer;)V .code stack 2 locals 2 L0: aload_0 L1: invokespecial Method java/io/InputStream <init> ()V L4: aload_0 L5: aload_1 L6: putfield Field ByteBufferStream buf Ljava/nio/ByteBuffer; L9: return L10: .linenumbertable L0 10 L4 11 L9 12 .end linenumbertable .end code .end method .method public read : ()I .code stack 2 locals 1 L0: aload_0 L1: getfield Field ByteBufferStream buf Ljava/nio/ByteBuffer; L4: invokevirtual Method java/nio/ByteBuffer hasRemaining ()Z L7: ifne L12 L10: iconst_m1 L11: ireturn .stack same L12: aload_0 L13: getfield Field ByteBufferStream buf Ljava/nio/ByteBuffer; L16: invokevirtual Method java/nio/ByteBuffer get ()B L19: sipush 255 L22: iand L23: ireturn L24: .linenumbertable L0 15 L10 16 L12 18 .end linenumbertable .end code .exceptions java/io/IOException .end method .method public read : ([BII)I .code stack 4 locals 4 L0: aload_0 L1: getfield Field ByteBufferStream buf Ljava/nio/ByteBuffer; L4: invokevirtual Method java/nio/ByteBuffer hasRemaining ()Z L7: ifne L12 L10: iconst_m1 L11: ireturn .stack same L12: iload_3 L13: aload_0 L14: getfield Field ByteBufferStream buf Ljava/nio/ByteBuffer; L17: invokevirtual Method java/nio/ByteBuffer remaining ()I L20: invokestatic Method java/lang/Math min (II)I L23: istore_3 L24: aload_0 L25: getfield Field ByteBufferStream buf Ljava/nio/ByteBuffer; L28: aload_1 L29: iload_2 L30: iload_3 L31: invokevirtual Method java/nio/ByteBuffer get ([BII)Ljava/nio/ByteBuffer; L34: pop L35: iload_3 L36: ireturn L37: .linenumbertable L0 23 L10 24 L12 27 L24 28 L35 29 .end linenumbertable .end code .exceptions java/io/IOException .end method .sourcefile 'ByteBufferStream.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 20:31:45 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import java.nio.ByteBuffer; 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 ByteBufferStream_ESTest extends ByteBufferStream_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { ByteBuffer byteBuffer0 = ByteBuffer.allocateDirect(1); ByteBufferStream byteBufferStream0 = new ByteBufferStream(byteBuffer0); byte[] byteArray0 = new byte[3]; int int0 = byteBufferStream0.read(byteArray0, 1, 0); assertEquals(0, int0); } @Test(timeout = 4000) public void test1() throws Throwable { byte[] byteArray0 = new byte[4]; ByteBuffer byteBuffer0 = ByteBuffer.wrap(byteArray0); ByteBufferStream byteBufferStream0 = new ByteBufferStream(byteBuffer0); int int0 = byteBufferStream0.read(byteArray0, (int) (byte)0, 55194); assertEquals("java.nio.HeapByteBuffer[pos=4 lim=4 cap=4]", byteBuffer0.toString()); assertEquals(4, int0); } @Test(timeout = 4000) public void test2() throws Throwable { byte[] byteArray0 = new byte[1]; byteArray0[0] = (byte) (-83); ByteBuffer byteBuffer0 = ByteBuffer.wrap(byteArray0); ByteBufferStream byteBufferStream0 = new ByteBufferStream(byteBuffer0); int int0 = byteBufferStream0.read(); assertEquals(173, int0); } @Test(timeout = 4000) public void test3() throws Throwable { ByteBuffer byteBuffer0 = ByteBuffer.allocateDirect(0); ByteBufferStream byteBufferStream0 = new ByteBufferStream(byteBuffer0); byte[] byteArray0 = new byte[6]; int int0 = byteBufferStream0.read(byteArray0, (-8964), (-8964)); assertEquals((-1), int0); } @Test(timeout = 4000) public void test4() throws Throwable { ByteBuffer byteBuffer0 = ByteBuffer.allocateDirect(0); ByteBufferStream byteBufferStream0 = new ByteBufferStream(byteBuffer0); int int0 = byteBufferStream0.read(); assertEquals((-1), int0); } @Test(timeout = 4000) public void test5() throws Throwable { byte[] byteArray0 = new byte[1]; ByteBuffer byteBuffer0 = ByteBuffer.wrap(byteArray0); ByteBufferStream byteBufferStream0 = new ByteBufferStream(byteBuffer0); int int0 = byteBufferStream0.read(); assertEquals(0, byteBuffer0.remaining()); assertEquals(0, int0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 20:31: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 ByteBufferStream_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 = "ByteBufferStream"; 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/tmp0r9r9ba2"); 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(ByteBufferStream_ESTest_scaffolding.class.getClassLoader() , "ByteBufferStream" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ByteBufferStream_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ByteBufferStream" ); } }
1,771
ElasticsearchSourceConfig
import java.util.List; /** * ES数据源配置 * * @author zxb * @version 1.0.0 2017年03月24日 09:06 * @since Jdk1.6 */ public class ElasticsearchSourceConfig { private String cluster; private List<String> hosts; private boolean sniff; public ElasticsearchSourceConfig(String cluster, List<String> hosts, boolean sniff) { this.cluster = cluster; this.hosts = hosts; this.sniff = sniff; } public ElasticsearchSourceConfig() {} public String getCluster() { return cluster; } public void setCluster(String cluster) { this.cluster = cluster; } public List<String> getHosts() { return hosts; } public void setHosts(List<String> hosts) { this.hosts = hosts; } public boolean isSniff() { return sniff; } public void setSniff(boolean sniff) { this.sniff = sniff; } }
.version 52 0 .class public super ElasticsearchSourceConfig .super java/lang/Object .field private cluster Ljava/lang/String; .field private hosts Ljava/util/List; .fieldattributes .signature Ljava/util/List<Ljava/lang/String;>; .end fieldattributes .field private sniff Z .method public <init> : (Ljava/lang/String;Ljava/util/List;Z)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 ElasticsearchSourceConfig cluster Ljava/lang/String; L9: aload_0 L10: aload_2 L11: putfield Field ElasticsearchSourceConfig hosts Ljava/util/List; L14: aload_0 L15: iload_3 L16: putfield Field ElasticsearchSourceConfig sniff Z L19: return L20: .linenumbertable L0 21 L4 22 L9 23 L14 24 L19 25 .end linenumbertable .end code .signature (Ljava/lang/String;Ljava/util/List<Ljava/lang/String;>;Z)V .end method .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 27 L4 28 .end linenumbertable .end code .end method .method public getCluster : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field ElasticsearchSourceConfig cluster Ljava/lang/String; L4: areturn L5: .linenumbertable L0 31 .end linenumbertable .end code .end method .method public setCluster : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field ElasticsearchSourceConfig cluster Ljava/lang/String; L5: return L6: .linenumbertable L0 35 L5 36 .end linenumbertable .end code .end method .method public getHosts : ()Ljava/util/List; .code stack 1 locals 1 L0: aload_0 L1: getfield Field ElasticsearchSourceConfig hosts Ljava/util/List; L4: areturn L5: .linenumbertable L0 39 .end linenumbertable .end code .signature ()Ljava/util/List<Ljava/lang/String;>; .end method .method public setHosts : (Ljava/util/List;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field ElasticsearchSourceConfig hosts Ljava/util/List; L5: return L6: .linenumbertable L0 43 L5 44 .end linenumbertable .end code .signature (Ljava/util/List<Ljava/lang/String;>;)V .end method .method public isSniff : ()Z .code stack 1 locals 1 L0: aload_0 L1: getfield Field ElasticsearchSourceConfig sniff Z L4: ireturn L5: .linenumbertable L0 47 .end linenumbertable .end code .end method .method public setSniff : (Z)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field ElasticsearchSourceConfig sniff Z L5: return L6: .linenumbertable L0 51 L5 52 .end linenumbertable .end code .end method .sourcefile 'ElasticsearchSourceConfig.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 08:58:11 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import java.util.LinkedList; 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 ElasticsearchSourceConfig_ESTest extends ElasticsearchSourceConfig_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { LinkedList<String> linkedList0 = new LinkedList<String>(); ElasticsearchSourceConfig elasticsearchSourceConfig0 = new ElasticsearchSourceConfig("", linkedList0, true); boolean boolean0 = elasticsearchSourceConfig0.isSniff(); assertTrue(boolean0); } @Test(timeout = 4000) public void test1() throws Throwable { ElasticsearchSourceConfig elasticsearchSourceConfig0 = new ElasticsearchSourceConfig(); LinkedList<String> linkedList0 = new LinkedList<String>(); elasticsearchSourceConfig0.setHosts(linkedList0); List<String> list0 = elasticsearchSourceConfig0.getHosts(); assertEquals(0, list0.size()); } @Test(timeout = 4000) public void test2() throws Throwable { ElasticsearchSourceConfig elasticsearchSourceConfig0 = new ElasticsearchSourceConfig(); LinkedList<String> linkedList0 = new LinkedList<String>(); linkedList0.add("qb*HYS<"); elasticsearchSourceConfig0.setHosts(linkedList0); List<String> list0 = elasticsearchSourceConfig0.getHosts(); assertTrue(list0.contains("qb*HYS<")); } @Test(timeout = 4000) public void test3() throws Throwable { ElasticsearchSourceConfig elasticsearchSourceConfig0 = new ElasticsearchSourceConfig("q>", (List<String>) null, true); elasticsearchSourceConfig0.getCluster(); assertTrue(elasticsearchSourceConfig0.isSniff()); } @Test(timeout = 4000) public void test4() throws Throwable { ElasticsearchSourceConfig elasticsearchSourceConfig0 = new ElasticsearchSourceConfig(";}QBG_", (List<String>) null, true); elasticsearchSourceConfig0.setCluster(""); elasticsearchSourceConfig0.getCluster(); assertTrue(elasticsearchSourceConfig0.isSniff()); } @Test(timeout = 4000) public void test5() throws Throwable { ElasticsearchSourceConfig elasticsearchSourceConfig0 = new ElasticsearchSourceConfig((String) null, (List<String>) null, false); elasticsearchSourceConfig0.getCluster(); assertFalse(elasticsearchSourceConfig0.isSniff()); } @Test(timeout = 4000) public void test6() throws Throwable { ElasticsearchSourceConfig elasticsearchSourceConfig0 = new ElasticsearchSourceConfig((String) null, (List<String>) null, false); elasticsearchSourceConfig0.setSniff(false); assertFalse(elasticsearchSourceConfig0.isSniff()); } @Test(timeout = 4000) public void test7() throws Throwable { ElasticsearchSourceConfig elasticsearchSourceConfig0 = new ElasticsearchSourceConfig(); boolean boolean0 = elasticsearchSourceConfig0.isSniff(); assertFalse(boolean0); } @Test(timeout = 4000) public void test8() throws Throwable { ElasticsearchSourceConfig elasticsearchSourceConfig0 = new ElasticsearchSourceConfig((String) null, (List<String>) null, false); elasticsearchSourceConfig0.getHosts(); assertFalse(elasticsearchSourceConfig0.isSniff()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 08:58: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 ElasticsearchSourceConfig_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 = "ElasticsearchSourceConfig"; 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/tmp1ffih0qh"); 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(ElasticsearchSourceConfig_ESTest_scaffolding.class.getClassLoader() , "ElasticsearchSourceConfig" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ElasticsearchSourceConfig_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ElasticsearchSourceConfig" ); } }
1,772
p4notewifiww
// This file is automatically generated. /* * Samsung Galaxy Note 10.1 * * DEVICE: p4notewifiww * MODEL: GT-N8010 */ final class p4notewifiww { public static final String DATA = "Samsung|Galaxy Note 10.1|Galaxy Note"; }
.version 52 0 .class final super p4notewifiww .super java/lang/Object .field public static final DATA Ljava/lang/String; = 'Samsung|Galaxy Note 10.1|Galaxy Note' .method <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 .sourcefile 'p4notewifiww.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 20:56:00 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 p4notewifiww_ESTest extends p4notewifiww_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { p4notewifiww p4notewifiww0 = new p4notewifiww(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 20:56:00 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 p4notewifiww_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 = "p4notewifiww"; 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/tmpgrf24crh"); 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(p4notewifiww_ESTest_scaffolding.class.getClassLoader() , "p4notewifiww" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(p4notewifiww_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "p4notewifiww" ); } }
1,773
ImageCreator
/* * The MIT License * * Copyright 2014 Aleksandr Šmailov. * * 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.awt.image.BufferedImage; /** * @author Aleksandr Šmailov */ public class ImageCreator { private final int height; private final int width; private final int[] pixels; /** * @param pixels array of pixels in the default RGB color model (TYPE_INT_ARGB) and default sRGB * colorspace. * @param height height of the image. * @param width width of the image. */ public ImageCreator(int[] pixels, int height, int width) { this.pixels = pixels; this.height = height; this.width = width; } /** * Creates an image from pixels array. * * @return BufferedImage. */ public BufferedImage createImage() { int[] pixelsForWriting; pixelsForWriting = handlePixels(pixels, height, width); BufferedImage image; image = getImageFromArray(pixelsForWriting, height, width); return image; } /** * Creates array of pixels which are suitable for {@link #getImageFromArray(int[], int, int) * getImageFromArray} method. * * @return array of pixels. */ private int[] handlePixels(int[] pixels, int height, int width) { int count = 0; int[] pixelsForWriting = new int[height * width * 4]; for (int i = 0; i < height; i++) { for (int j = 0; j < width; j++) { // Take ARGB value. int rgb = pixels[i * width + j]; // Parse the values from int. int alpha = (rgb >> 24) & 0xff; int red = (rgb >> 16) & 0xff; int green = (rgb >> 8) & 0xff; int blue = (rgb) & 0xff; // Add values to the array. pixelsForWriting[count] = red; count++; pixelsForWriting[count] = green; count++; pixelsForWriting[count] = blue; count++; pixelsForWriting[count] = alpha; count++; } } return pixelsForWriting; } /** * Creates {@link BufferedImage} from pixels array. * * @param pixels pixels array. * @param width width of the image. * @param height height of the image. * @return BufferedImage. */ private static BufferedImage getImageFromArray(int[] pixels, int width, int height) { // Create buffered image. BufferedImage image = new BufferedImage(width, height, BufferedImage.TYPE_INT_ARGB); // Set image's pixels. image.getRaster().setPixels(0, 0, width, height, pixels); // Return newly created image. return image; } }
.version 52 0 .class public super ImageCreator .super java/lang/Object .field private final height I .field private final width I .field private final pixels [I .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: aload_1 L6: putfield Field ImageCreator pixels [I L9: aload_0 L10: iload_2 L11: putfield Field ImageCreator height I L14: aload_0 L15: iload_3 L16: putfield Field ImageCreator width I L19: return L20: .linenumbertable L0 43 L4 44 L9 45 L14 46 L19 47 .end linenumbertable .end code .end method .method public createImage : ()Ljava/awt/image/BufferedImage; .code stack 4 locals 3 L0: aload_0 L1: aload_0 L2: getfield Field ImageCreator pixels [I L5: aload_0 L6: getfield Field ImageCreator height I L9: aload_0 L10: getfield Field ImageCreator width I L13: invokespecial Method ImageCreator handlePixels ([III)[I L16: astore_1 L17: aload_1 L18: aload_0 L19: getfield Field ImageCreator height I L22: aload_0 L23: getfield Field ImageCreator width I L26: invokestatic Method ImageCreator getImageFromArray ([III)Ljava/awt/image/BufferedImage; L29: astore_2 L30: aload_2 L31: areturn L32: .linenumbertable L0 55 L17 57 L30 58 .end linenumbertable .end code .end method .method private handlePixels : ([III)[I .code stack 3 locals 13 L0: iconst_0 L1: istore 4 L3: iload_2 L4: iload_3 L5: imul L6: iconst_4 L7: imul L8: newarray int L10: astore 5 L12: iconst_0 L13: istore 6 .stack append Integer Object [I Integer L15: iload 6 L17: iload_2 L18: if_icmpge L134 L21: iconst_0 L22: istore 7 .stack append Integer L24: iload 7 L26: iload_3 L27: if_icmpge L128 L30: aload_1 L31: iload 6 L33: iload_3 L34: imul L35: iload 7 L37: iadd L38: iaload L39: istore 8 L41: iload 8 L43: bipush 24 L45: ishr L46: sipush 255 L49: iand L50: istore 9 L52: iload 8 L54: bipush 16 L56: ishr L57: sipush 255 L60: iand L61: istore 10 L63: iload 8 L65: bipush 8 L67: ishr L68: sipush 255 L71: iand L72: istore 11 L74: iload 8 L76: sipush 255 L79: iand L80: istore 12 L82: aload 5 L84: iload 4 L86: iload 10 L88: iastore L89: iinc 4 1 L92: aload 5 L94: iload 4 L96: iload 11 L98: iastore L99: iinc 4 1 L102: aload 5 L104: iload 4 L106: iload 12 L108: iastore L109: iinc 4 1 L112: aload 5 L114: iload 4 L116: iload 9 L118: iastore L119: iinc 4 1 L122: iinc 7 1 L125: goto L24 .stack chop 1 L128: iinc 6 1 L131: goto L15 .stack chop 1 L134: aload 5 L136: areturn L137: .linenumbertable L0 67 L3 68 L12 69 L21 70 L30 72 L41 74 L52 75 L63 76 L74 77 L82 79 L89 80 L92 81 L99 82 L102 83 L109 84 L112 85 L119 86 L122 70 L128 69 L134 89 .end linenumbertable .end code .end method .method private static getImageFromArray : ([III)Ljava/awt/image/BufferedImage; .code stack 6 locals 4 L0: new java/awt/image/BufferedImage L3: dup L4: iload_1 L5: iload_2 L6: iconst_2 L7: invokespecial Method java/awt/image/BufferedImage <init> (III)V L10: astore_3 L11: aload_3 L12: invokevirtual Method java/awt/image/BufferedImage getRaster ()Ljava/awt/image/WritableRaster; L15: iconst_0 L16: iconst_0 L17: iload_1 L18: iload_2 L19: aload_0 L20: invokevirtual Method java/awt/image/WritableRaster setPixels (IIII[I)V L23: aload_3 L24: areturn L25: .linenumbertable L0 102 L11 105 L23 107 .end linenumbertable .end code .end method .sourcefile 'ImageCreator.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 21:10:24 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 ImageCreator_ESTest extends ImageCreator_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { int[] intArray0 = new int[7]; intArray0[1] = (-16234); ImageCreator imageCreator0 = new ImageCreator(intArray0, 8, 8); // Undeclared exception! try { imageCreator0.createImage(); fail("Expecting exception: ArrayIndexOutOfBoundsException"); } catch(ArrayIndexOutOfBoundsException e) { // // no message in exception (getMessage() returned null) // } } @Test(timeout = 4000) public void test1() throws Throwable { int[] intArray0 = new int[5]; ImageCreator imageCreator0 = new ImageCreator(intArray0, 0, 20853); // Undeclared exception! try { imageCreator0.createImage(); fail("Expecting exception: IllegalArgumentException"); } catch(IllegalArgumentException e) { // // Width (0) and height (20853) cannot be <= 0 // verifyException("java.awt.image.DirectColorModel", e); } } @Test(timeout = 4000) public void test2() throws Throwable { int[] intArray0 = new int[2]; ImageCreator imageCreator0 = new ImageCreator(intArray0, 15990, 0); // Undeclared exception! imageCreator0.createImage(); } @Test(timeout = 4000) public void test3() throws Throwable { ImageCreator imageCreator0 = new ImageCreator((int[]) null, (-12650), 0); // Undeclared exception! try { imageCreator0.createImage(); fail("Expecting exception: IllegalArgumentException"); } catch(IllegalArgumentException e) { // // Width (-12650) and height (0) cannot be <= 0 // verifyException("java.awt.image.DirectColorModel", e); } } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 21:10: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 ImageCreator_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 = "ImageCreator"; 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/tmpeuik947c"); 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(ImageCreator_ESTest_scaffolding.class.getClassLoader() , "ImageCreator" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ImageCreator_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ImageCreator" ); } }
1,774
SystemLogItem
public class SystemLogItem { /** 关注对象 */ private String observed = ""; /** 日志时间 */ private long logTime = System.currentTimeMillis(); /** 日志级别 */ private String logLevel = null; /** 设备源 */ private String fromDevice = null; /** 程序名称 */ private String programeName = null; /** 日志内容 */ private String content = ""; /** 日志位置信息 */ private String locationInformation = ""; /** 日志线程名称 */ private String threadName = ""; /** * @return observed : return the property observed. */ public String getObserved() { return observed; } /** * @param observed : set the property observed. */ public void setObserved(String observed) { this.observed = observed; } /** * @return logTime : return the property logTime. */ public long getLogTime() { return logTime; } /** * @param logTime : set the property logTime. */ public void setLogTime(long logTime) { this.logTime = logTime; } /** * @return logLevel : return the property logLevel. */ public String getLogLevel() { return logLevel; } /** * @param logLevel : set the property logLevel. */ public void setLogLevel(String logLevel) { this.logLevel = logLevel; } /** * @return fromDevice : return the property fromDevice. */ public String getFromDevice() { return fromDevice; } /** * @param fromDevice : set the property fromDevice. */ public void setFromDevice(String fromDevice) { this.fromDevice = fromDevice; } /** * @return programeName : return the property programeName. */ public String getProgrameName() { return programeName; } /** * @param programeName : set the property programeName. */ public void setProgrameName(String programeName) { this.programeName = programeName; } /** * @return content : return the property content. */ public String getContent() { return content; } /** * @param content : set the property content. */ public void setContent(String content) { this.content = content; } /** * @return locationInformation : return the property locationInformation. */ public String getLocationInformation() { return locationInformation; } /** * @param locationInformation : set the property locationInformation. */ public void setLocationInformation(String locationInformation) { this.locationInformation = locationInformation; } /** * @return threadName : return the property threadName. */ public String getThreadName() { return threadName; } /** * @param threadName : set the property threadName. */ public void setThreadName(String threadName) { this.threadName = threadName; } public String toJson() { StringBuilder sb = new StringBuilder(); sb.append("{"); sb.append("\"observed\"") .append(":") .append("\"") .append(this.observed) .append("\"") .append(","); sb.append("\"logTime\"").append(":").append(this.logTime).append(","); sb.append("\"logLevel\"") .append(":") .append("\"") .append(this.logLevel) .append("\"") .append(","); sb.append("\"fromDevice\"") .append(":") .append("\"") .append(this.fromDevice) .append("\"") .append(","); sb.append("\"programeName\"") .append(":") .append("\"") .append(this.programeName) .append("\"") .append(","); sb.append("\"content\"").append(":").append("\"").append(this.content).append("\"").append(","); sb.append("\"locationInformation\"") .append(":") .append("\"") .append(this.locationInformation) .append("\"") .append(","); sb.append("\"threadName\"").append(":").append("\"").append(this.threadName).append("\""); sb.append("}"); return sb.toString(); } }
.version 52 0 .class public super SystemLogItem .super java/lang/Object .field private observed Ljava/lang/String; .field private logTime J .field private logLevel Ljava/lang/String; .field private fromDevice Ljava/lang/String; .field private programeName Ljava/lang/String; .field private content Ljava/lang/String; .field private locationInformation Ljava/lang/String; .field private threadName Ljava/lang/String; .method public <init> : ()V .code stack 3 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: ldc '' L7: putfield Field SystemLogItem observed Ljava/lang/String; L10: aload_0 L11: invokestatic Method java/lang/System currentTimeMillis ()J L14: putfield Field SystemLogItem logTime J L17: aload_0 L18: aconst_null L19: putfield Field SystemLogItem logLevel Ljava/lang/String; L22: aload_0 L23: aconst_null L24: putfield Field SystemLogItem fromDevice Ljava/lang/String; L27: aload_0 L28: aconst_null L29: putfield Field SystemLogItem programeName Ljava/lang/String; L32: aload_0 L33: ldc '' L35: putfield Field SystemLogItem content Ljava/lang/String; L38: aload_0 L39: ldc '' L41: putfield Field SystemLogItem locationInformation Ljava/lang/String; L44: aload_0 L45: ldc '' L47: putfield Field SystemLogItem threadName Ljava/lang/String; L50: return L51: .linenumbertable L0 3 L4 7 L10 12 L17 17 L22 22 L27 27 L32 32 L38 37 L44 42 .end linenumbertable .end code .end method .method public getObserved : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field SystemLogItem observed Ljava/lang/String; L4: areturn L5: .linenumbertable L0 48 .end linenumbertable .end code .end method .method public setObserved : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field SystemLogItem observed Ljava/lang/String; L5: return L6: .linenumbertable L0 56 L5 57 .end linenumbertable .end code .end method .method public getLogTime : ()J .code stack 2 locals 1 L0: aload_0 L1: getfield Field SystemLogItem logTime J L4: lreturn L5: .linenumbertable L0 63 .end linenumbertable .end code .end method .method public setLogTime : (J)V .code stack 3 locals 3 L0: aload_0 L1: lload_1 L2: putfield Field SystemLogItem logTime J L5: return L6: .linenumbertable L0 71 L5 72 .end linenumbertable .end code .end method .method public getLogLevel : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field SystemLogItem logLevel Ljava/lang/String; L4: areturn L5: .linenumbertable L0 78 .end linenumbertable .end code .end method .method public setLogLevel : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field SystemLogItem logLevel Ljava/lang/String; L5: return L6: .linenumbertable L0 86 L5 87 .end linenumbertable .end code .end method .method public getFromDevice : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field SystemLogItem fromDevice Ljava/lang/String; L4: areturn L5: .linenumbertable L0 93 .end linenumbertable .end code .end method .method public setFromDevice : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field SystemLogItem fromDevice Ljava/lang/String; L5: return L6: .linenumbertable L0 101 L5 102 .end linenumbertable .end code .end method .method public getProgrameName : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field SystemLogItem programeName Ljava/lang/String; L4: areturn L5: .linenumbertable L0 108 .end linenumbertable .end code .end method .method public setProgrameName : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field SystemLogItem programeName Ljava/lang/String; L5: return L6: .linenumbertable L0 116 L5 117 .end linenumbertable .end code .end method .method public getContent : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field SystemLogItem content Ljava/lang/String; L4: areturn L5: .linenumbertable L0 123 .end linenumbertable .end code .end method .method public setContent : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field SystemLogItem content Ljava/lang/String; L5: return L6: .linenumbertable L0 131 L5 132 .end linenumbertable .end code .end method .method public getLocationInformation : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field SystemLogItem locationInformation Ljava/lang/String; L4: areturn L5: .linenumbertable L0 138 .end linenumbertable .end code .end method .method public setLocationInformation : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field SystemLogItem locationInformation Ljava/lang/String; L5: return L6: .linenumbertable L0 146 L5 147 .end linenumbertable .end code .end method .method public getThreadName : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field SystemLogItem threadName Ljava/lang/String; L4: areturn L5: .linenumbertable L0 153 .end linenumbertable .end code .end method .method public setThreadName : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field SystemLogItem threadName Ljava/lang/String; L5: return L6: .linenumbertable L0 161 L5 162 .end linenumbertable .end code .end method .method public toJson : ()Ljava/lang/String; .code stack 3 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 '"observed"' L18: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L21: ldc ':' L23: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L26: ldc '"' L28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L31: aload_0 L32: getfield Field SystemLogItem observed Ljava/lang/String; L35: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L38: ldc '"' L40: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L43: ldc ',' L45: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L48: pop L49: aload_1 L50: ldc '"logTime"' 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: aload_0 L61: getfield Field SystemLogItem logTime J L64: invokevirtual Method java/lang/StringBuilder append (J)Ljava/lang/StringBuilder; L67: ldc ',' L69: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L72: pop L73: aload_1 L74: ldc '"logLevel"' L76: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L79: ldc ':' L81: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L84: ldc '"' L86: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L89: aload_0 L90: getfield Field SystemLogItem logLevel Ljava/lang/String; L93: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L96: ldc '"' L98: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L101: ldc ',' L103: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L106: pop L107: aload_1 L108: ldc '"fromDevice"' L110: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L113: ldc ':' L115: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L118: ldc '"' L120: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L123: aload_0 L124: getfield Field SystemLogItem fromDevice 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: ldc ',' L137: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L140: pop L141: aload_1 L142: ldc '"programeName"' L144: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L147: ldc ':' L149: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L152: ldc '"' L154: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L157: aload_0 L158: getfield Field SystemLogItem programeName Ljava/lang/String; L161: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L164: ldc '"' L166: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L169: ldc ',' L171: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L174: pop L175: aload_1 L176: ldc '"content"' L178: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L181: ldc ':' L183: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L186: ldc '"' L188: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L191: aload_0 L192: getfield Field SystemLogItem content Ljava/lang/String; L195: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L198: ldc '"' L200: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L203: ldc ',' L205: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L208: pop L209: aload_1 L210: ldc '"locationInformation"' L212: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L215: ldc ':' L217: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L220: ldc '"' L222: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L225: aload_0 L226: getfield Field SystemLogItem locationInformation Ljava/lang/String; L229: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L232: ldc '"' L234: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L237: ldc ',' L239: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L242: pop L243: aload_1 L244: ldc '"threadName"' L246: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L249: ldc ':' L251: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L254: ldc '"' L256: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L259: aload_0 L260: getfield Field SystemLogItem threadName Ljava/lang/String; L263: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L266: ldc '"' L268: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L271: pop L272: aload_1 L273: ldc '}' L275: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L278: pop L279: aload_1 L280: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L283: areturn L284: .linenumbertable L0 165 L8 166 L15 167 L35 168 L49 169 L73 170 L93 171 L107 172 L127 173 L141 174 L161 175 L175 176 L200 177 L209 178 L229 179 L243 180 L263 181 L272 182 L279 183 .end linenumbertable .end code .end method .sourcefile 'SystemLogItem.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 20:14: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 SystemLogItem_ESTest extends SystemLogItem_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { SystemLogItem systemLogItem0 = new SystemLogItem(); systemLogItem0.setThreadName((String) null); String string0 = systemLogItem0.getThreadName(); assertNull(string0); } @Test(timeout = 4000) public void test01() throws Throwable { SystemLogItem systemLogItem0 = new SystemLogItem(); systemLogItem0.setThreadName("brxQ_BmL=[!"); String string0 = systemLogItem0.getThreadName(); assertEquals("brxQ_BmL=[!", string0); } @Test(timeout = 4000) public void test02() throws Throwable { SystemLogItem systemLogItem0 = new SystemLogItem(); systemLogItem0.setProgrameName("(7!uZ]c;>09k )Rv"); String string0 = systemLogItem0.getProgrameName(); assertEquals("(7!uZ]c;>09k )Rv", string0); } @Test(timeout = 4000) public void test03() throws Throwable { SystemLogItem systemLogItem0 = new SystemLogItem(); systemLogItem0.setObserved((String) null); String string0 = systemLogItem0.getObserved(); assertNull(string0); } @Test(timeout = 4000) public void test04() throws Throwable { SystemLogItem systemLogItem0 = new SystemLogItem(); systemLogItem0.setLogTime(0L); long long0 = systemLogItem0.getLogTime(); assertEquals(0L, long0); } @Test(timeout = 4000) public void test05() throws Throwable { SystemLogItem systemLogItem0 = new SystemLogItem(); systemLogItem0.setLogLevel(",n__U#gk;hG!jv}"); String string0 = systemLogItem0.getLogLevel(); assertEquals(",n__U#gk;hG!jv}", string0); } @Test(timeout = 4000) public void test06() throws Throwable { SystemLogItem systemLogItem0 = new SystemLogItem(); systemLogItem0.setLogLevel(""); String string0 = systemLogItem0.getLogLevel(); assertEquals("", string0); } @Test(timeout = 4000) public void test07() throws Throwable { SystemLogItem systemLogItem0 = new SystemLogItem(); systemLogItem0.setLocationInformation((String) null); String string0 = systemLogItem0.getLocationInformation(); assertNull(string0); } @Test(timeout = 4000) public void test08() throws Throwable { SystemLogItem systemLogItem0 = new SystemLogItem(); systemLogItem0.setLocationInformation("dT&25&wTA"); String string0 = systemLogItem0.getLocationInformation(); assertEquals("dT&25&wTA", string0); } @Test(timeout = 4000) public void test09() throws Throwable { SystemLogItem systemLogItem0 = new SystemLogItem(); systemLogItem0.setFromDevice("]81J$wUq"); String string0 = systemLogItem0.getFromDevice(); assertEquals("]81J$wUq", string0); } @Test(timeout = 4000) public void test10() throws Throwable { SystemLogItem systemLogItem0 = new SystemLogItem(); systemLogItem0.setContent((String) null); String string0 = systemLogItem0.getContent(); assertNull(string0); } @Test(timeout = 4000) public void test11() throws Throwable { SystemLogItem systemLogItem0 = new SystemLogItem(); systemLogItem0.setContent("%N&JP[<s|3[r?.k/8F"); String string0 = systemLogItem0.getContent(); assertEquals("%N&JP[<s|3[r?.k/8F", string0); } @Test(timeout = 4000) public void test12() throws Throwable { SystemLogItem systemLogItem0 = new SystemLogItem(); systemLogItem0.setObserved("'wlXTYy(^puBxH`"); String string0 = systemLogItem0.getObserved(); assertEquals("'wlXTYy(^puBxH`", string0); } @Test(timeout = 4000) public void test13() throws Throwable { SystemLogItem systemLogItem0 = new SystemLogItem(); String string0 = systemLogItem0.getLogLevel(); assertNull(string0); } @Test(timeout = 4000) public void test14() throws Throwable { SystemLogItem systemLogItem0 = new SystemLogItem(); String string0 = systemLogItem0.toJson(); assertEquals("{\"observed\":\"\",\"logTime\":1392409281320,\"logLevel\":\"null\",\"fromDevice\":\"null\",\"programeName\":\"null\",\"content\":\"\",\"locationInformation\":\"\",\"threadName\":\"\"}", string0); } @Test(timeout = 4000) public void test15() throws Throwable { SystemLogItem systemLogItem0 = new SystemLogItem(); systemLogItem0.setProgrameName(""); String string0 = systemLogItem0.getProgrameName(); assertEquals("", string0); } @Test(timeout = 4000) public void test16() throws Throwable { SystemLogItem systemLogItem0 = new SystemLogItem(); String string0 = systemLogItem0.getThreadName(); assertEquals("", string0); } @Test(timeout = 4000) public void test17() throws Throwable { SystemLogItem systemLogItem0 = new SystemLogItem(); String string0 = systemLogItem0.getObserved(); assertEquals("", string0); } @Test(timeout = 4000) public void test18() throws Throwable { SystemLogItem systemLogItem0 = new SystemLogItem(); systemLogItem0.setFromDevice(""); String string0 = systemLogItem0.getFromDevice(); assertEquals("", string0); } @Test(timeout = 4000) public void test19() throws Throwable { SystemLogItem systemLogItem0 = new SystemLogItem(); String string0 = systemLogItem0.getContent(); assertEquals("", string0); } @Test(timeout = 4000) public void test20() throws Throwable { SystemLogItem systemLogItem0 = new SystemLogItem(); String string0 = systemLogItem0.getFromDevice(); assertNull(string0); } @Test(timeout = 4000) public void test21() throws Throwable { SystemLogItem systemLogItem0 = new SystemLogItem(); long long0 = systemLogItem0.getLogTime(); assertEquals(1392409281320L, long0); } @Test(timeout = 4000) public void test22() throws Throwable { SystemLogItem systemLogItem0 = new SystemLogItem(); String string0 = systemLogItem0.getLocationInformation(); assertEquals("", string0); } @Test(timeout = 4000) public void test23() throws Throwable { SystemLogItem systemLogItem0 = new SystemLogItem(); systemLogItem0.setLogTime((-40459L)); long long0 = systemLogItem0.getLogTime(); assertEquals((-40459L), long0); } @Test(timeout = 4000) public void test24() throws Throwable { SystemLogItem systemLogItem0 = new SystemLogItem(); String string0 = systemLogItem0.getProgrameName(); assertNull(string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 20:14: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 SystemLogItem_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 = "SystemLogItem"; 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/tmpipxk7zpm"); 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(SystemLogItem_ESTest_scaffolding.class.getClassLoader() , "SystemLogItem" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SystemLogItem_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "SystemLogItem" ); } }
1,775
SaveFileHelper
public class SaveFileHelper {}
.version 52 0 .class public super SaveFileHelper .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 'SaveFileHelper.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 18:10: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 SaveFileHelper_ESTest extends SaveFileHelper_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { SaveFileHelper saveFileHelper0 = new SaveFileHelper(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 18:10: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 SaveFileHelper_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 = "SaveFileHelper"; 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/tmplaq1_t7h"); 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(SaveFileHelper_ESTest_scaffolding.class.getClassLoader() , "SaveFileHelper" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SaveFileHelper_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "SaveFileHelper" ); } }
1,776
HistoryRecordStructure
/* * Jitsi, the OpenSource Java VoIP and Instant Messaging client. * * Distributable under LGPL license. * See terms of license at gnu.org. */ /** * @author Alexander Pelov */ public class HistoryRecordStructure { private String[] propertyNames; /** * Creates an entry structure object used to define the shape of the data stored in the history. * * <p>Note that the property names are not unique, i.e. a single property may have 0, 1 or more * values. * * @param propertyNames */ public HistoryRecordStructure(String[] propertyNames) { // TODO: Validate: Assert.assertNonNull(propertyNames, "Parameter propertyNames should be // non-null."); this.propertyNames = new String[propertyNames.length]; System.arraycopy(propertyNames, 0, this.propertyNames, 0, this.propertyNames.length); } public String[] getPropertyNames() { return this.propertyNames; } public int getPropertyCount() { return this.propertyNames.length; } }
.version 52 0 .class public super HistoryRecordStructure .super java/lang/Object .field private propertyNames [Ljava/lang/String; .method public <init> : ([Ljava/lang/String;)V .code stack 5 locals 2 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: aload_1 L6: arraylength L7: anewarray java/lang/String L10: putfield Field HistoryRecordStructure propertyNames [Ljava/lang/String; L13: aload_1 L14: iconst_0 L15: aload_0 L16: getfield Field HistoryRecordStructure propertyNames [Ljava/lang/String; L19: iconst_0 L20: aload_0 L21: getfield Field HistoryRecordStructure propertyNames [Ljava/lang/String; L24: arraylength L25: invokestatic Method java/lang/System arraycopy (Ljava/lang/Object;ILjava/lang/Object;II)V L28: return L29: .linenumbertable L0 27 L4 30 L13 31 L28 33 .end linenumbertable .end code .end method .method public getPropertyNames : ()[Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field HistoryRecordStructure propertyNames [Ljava/lang/String; L4: areturn L5: .linenumbertable L0 37 .end linenumbertable .end code .end method .method public getPropertyCount : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field HistoryRecordStructure propertyNames [Ljava/lang/String; L4: arraylength L5: ireturn L6: .linenumbertable L0 42 .end linenumbertable .end code .end method .sourcefile 'HistoryRecordStructure.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 08:27:59 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 HistoryRecordStructure_ESTest extends HistoryRecordStructure_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { String[] stringArray0 = new String[0]; HistoryRecordStructure historyRecordStructure0 = new HistoryRecordStructure(stringArray0); String[] stringArray1 = historyRecordStructure0.getPropertyNames(); assertFalse(stringArray1.equals((Object)stringArray0)); } @Test(timeout = 4000) public void test1() throws Throwable { String[] stringArray0 = new String[0]; HistoryRecordStructure historyRecordStructure0 = new HistoryRecordStructure(stringArray0); int int0 = historyRecordStructure0.getPropertyCount(); assertEquals(0, int0); } @Test(timeout = 4000) public void test2() throws Throwable { String[] stringArray0 = new String[1]; HistoryRecordStructure historyRecordStructure0 = new HistoryRecordStructure(stringArray0); String[] stringArray1 = historyRecordStructure0.getPropertyNames(); assertNotSame(stringArray0, stringArray1); } @Test(timeout = 4000) public void test3() throws Throwable { String[] stringArray0 = new String[1]; HistoryRecordStructure historyRecordStructure0 = new HistoryRecordStructure(stringArray0); int int0 = historyRecordStructure0.getPropertyCount(); assertEquals(1, int0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 08:27:59 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 HistoryRecordStructure_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 = "HistoryRecordStructure"; 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/tmpdtwqy6wl"); 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(HistoryRecordStructure_ESTest_scaffolding.class.getClassLoader() , "HistoryRecordStructure" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(HistoryRecordStructure_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "HistoryRecordStructure" ); } }
1,777
ServiceRemoteException
/************************************************************************** * Exchange Web Services Java API * Copyright (c) Microsoft Corporation * All rights reserved. * MIT License * 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. **************************************************************************/ /** Represents an error that occurs when a service operation fails remotely. */ public class ServiceRemoteException extends Exception { /** ServiceRemoteException Constructor. */ public ServiceRemoteException() { super(); } /** * ServiceRemoteException Constructor. * * @param message the message */ public ServiceRemoteException(String message) { super(message); } /** * ServiceRemoteException Constructor. * * @param message the message * @param innerException the inner exception */ public ServiceRemoteException(String message, Exception innerException) { super(message, innerException); } }
.version 52 0 .class public super ServiceRemoteException .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 22 L4 23 .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 32 L5 33 .end linenumbertable .end code .end method .method public <init> : (Ljava/lang/String;Ljava/lang/Exception;)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 44 L6 45 .end linenumbertable .end code .end method .sourcefile 'ServiceRemoteException.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 10:56: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 ServiceRemoteException_ESTest extends ServiceRemoteException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { ServiceRemoteException serviceRemoteException0 = new ServiceRemoteException(); ServiceRemoteException serviceRemoteException1 = new ServiceRemoteException("o3I", serviceRemoteException0); assertFalse(serviceRemoteException1.equals((Object)serviceRemoteException0)); } @Test(timeout = 4000) public void test1() throws Throwable { ServiceRemoteException serviceRemoteException0 = new ServiceRemoteException("o3I"); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 10:56: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 ServiceRemoteException_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 = "ServiceRemoteException"; 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/tmpyviz00nn"); 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(ServiceRemoteException_ESTest_scaffolding.class.getClassLoader() , "ServiceRemoteException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ServiceRemoteException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ServiceRemoteException" ); } }
1,778
StreamPumper
/* * 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.io.IOException; import java.io.InputStream; import java.io.OutputStream; // // Based on Apache Ant 1.6.5 // /** * Copies all data from an input stream to an output stream. * * @version $Rev: 705608 $ $Date: 2008-10-17 15:28:45 +0200 (Fri, 17 Oct 2008) $ */ public class StreamPumper implements Runnable { private InputStream in; private OutputStream out; private volatile boolean finish; private volatile boolean finished; private boolean closeWhenExhausted; private boolean autoflush; private Exception exception; private int bufferSize = 128; private boolean started; /** * Create a new stream pumper. * * @param in Input stream to read data from * @param out Output stream to write data to. * @param closeWhenExhausted If true, the output stream will be closed when the input is * exhausted. */ public StreamPumper( final InputStream in, final OutputStream out, final boolean closeWhenExhausted) { assert in != null; assert out != null; this.in = in; this.out = out; this.closeWhenExhausted = closeWhenExhausted; } /** * Create a new stream pumper. * * @param in Input stream to read data from * @param out Output stream to write data to. */ public StreamPumper(final InputStream in, final OutputStream out) { this(in, out, false); } /** * Set whether data should be flushed through to the output stream. * * @param autoflush If true, push through data; if false, let it be buffered */ public void setAutoflush(boolean autoflush) { this.autoflush = autoflush; } /** * Copies data from the input stream to the output stream. * * <p>Terminates as soon as the input stream is closed or an error occurs. */ public void run() { synchronized (this) { started = true; } finished = false; finish = false; final byte[] buf = new byte[bufferSize]; int length; try { do { while (in.available() > 0 && !finish) { length = in.read(buf); if (length < 1) { break; } out.write(buf, 0, length); if (autoflush) { out.flush(); } } out.flush(); Thread.sleep(200); // Pause to avoid tight loop if external proc is slow } while (!finish && closeWhenExhausted); } catch (Exception e) { synchronized (this) { exception = e; } } finally { if (closeWhenExhausted) { try { out.close(); } catch (IOException e) { } } finished = true; synchronized (this) { notifyAll(); } } } /** * Tells whether the end of the stream has been reached. * * @return true If the stream has been exhausted. */ public boolean isFinished() { return finished; } /** * This method blocks until the stream pumper finishes. * * @see #isFinished() */ public synchronized void waitFor() throws InterruptedException { while (!isFinished()) { wait(); } } /** * Set the size in bytes of the read buffer. * * @param bufferSize the buffer size to use. * @throws IllegalStateException if the StreamPumper is already running. */ public synchronized void setBufferSize(final int bufferSize) { if (started) { throw new IllegalStateException("Cannot set buffer size on a running StreamPumper"); } this.bufferSize = bufferSize; } /** * Get the size in bytes of the read buffer. * * @return The size of the read buffer. */ public synchronized int getBufferSize() { return bufferSize; } /** * Get the exception encountered, if any. * * @return The Exception encountered; or null if there was none. */ public synchronized Exception getException() { return exception; } /** * Stop the pumper as soon as possible. * * <p>Note that it may continue to block on the input stream but it will really stop the thread as * soon as it gets EOF or any byte, and it will be marked as finished. */ public synchronized void stop() { finish = true; notifyAll(); } }
.version 52 0 .class public super StreamPumper .super java/lang/Object .implements java/lang/Runnable .field private in Ljava/io/InputStream; .field private out Ljava/io/OutputStream; .field private volatile finish Z .field private volatile finished Z .field private closeWhenExhausted Z .field private autoflush Z .field private exception Ljava/lang/Exception; .field private bufferSize I .field private started Z .field static final synthetic $assertionsDisabled Z .method public <init> : (Ljava/io/InputStream;Ljava/io/OutputStream;Z)V .code stack 2 locals 4 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: sipush 128 L8: putfield Field StreamPumper bufferSize I L11: getstatic Field StreamPumper $assertionsDisabled Z L14: ifne L29 L17: aload_1 L18: ifnonnull L29 L21: new java/lang/AssertionError L24: dup L25: invokespecial Method java/lang/AssertionError <init> ()V L28: athrow .stack full locals Object StreamPumper Object java/io/InputStream Object java/io/OutputStream Integer stack .end stack L29: getstatic Field StreamPumper $assertionsDisabled Z L32: ifne L47 L35: aload_2 L36: ifnonnull L47 L39: new java/lang/AssertionError L42: dup L43: invokespecial Method java/lang/AssertionError <init> ()V L46: athrow .stack same L47: aload_0 L48: aload_1 L49: putfield Field StreamPumper in Ljava/io/InputStream; L52: aload_0 L53: aload_2 L54: putfield Field StreamPumper out Ljava/io/OutputStream; L57: aload_0 L58: iload_3 L59: putfield Field StreamPumper closeWhenExhausted Z L62: return L63: .linenumbertable L0 64 L4 52 L11 65 L29 66 L47 68 L52 69 L57 70 L62 71 .end linenumbertable .end code .end method .method public <init> : (Ljava/io/InputStream;Ljava/io/OutputStream;)V .code stack 4 locals 3 L0: aload_0 L1: aload_1 L2: aload_2 L3: iconst_0 L4: invokespecial Method StreamPumper <init> (Ljava/io/InputStream;Ljava/io/OutputStream;Z)V L7: return L8: .linenumbertable L0 80 L7 81 .end linenumbertable .end code .end method .method public setAutoflush : (Z)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field StreamPumper autoflush Z L5: return L6: .linenumbertable L0 89 L5 90 .end linenumbertable .end code .end method .method public run : ()V .code stack 4 locals 10 L0: aload_0 L1: dup L2: astore_1 L3: monitorenter .catch [0] from L4 to L11 using L14 L4: aload_0 L5: iconst_1 L6: putfield Field StreamPumper started Z L9: aload_1 L10: monitorexit L11: goto L19 .catch [0] from L14 to L17 using L14 .stack full locals Object StreamPumper Object java/lang/Object stack Object java/lang/Throwable .end stack L14: astore_2 L15: aload_1 L16: monitorexit L17: aload_2 L18: athrow .stack chop 1 L19: aload_0 L20: iconst_0 L21: putfield Field StreamPumper finished Z L24: aload_0 L25: iconst_0 L26: putfield Field StreamPumper finish Z L29: aload_0 L30: getfield Field StreamPumper bufferSize I L33: newarray byte L35: astore_1 .stack append Object [B L36: aload_0 L37: getfield Field StreamPumper in Ljava/io/InputStream; L40: invokevirtual Method java/io/InputStream available ()I L43: ifle L97 L46: aload_0 L47: getfield Field StreamPumper finish Z L50: ifne L97 L53: aload_0 L54: getfield Field StreamPumper in Ljava/io/InputStream; L57: aload_1 L58: invokevirtual Method java/io/InputStream read ([B)I L61: istore_2 L62: iload_2 L63: iconst_1 L64: if_icmpge L70 L67: goto L97 .stack append Integer L70: aload_0 L71: getfield Field StreamPumper out Ljava/io/OutputStream; L74: aload_1 L75: iconst_0 L76: iload_2 L77: invokevirtual Method java/io/OutputStream write ([BII)V L80: aload_0 L81: getfield Field StreamPumper autoflush Z L84: ifeq L36 L87: aload_0 L88: getfield Field StreamPumper out Ljava/io/OutputStream; L91: invokevirtual Method java/io/OutputStream flush ()V L94: goto L36 .stack chop 1 L97: aload_0 L98: getfield Field StreamPumper out Ljava/io/OutputStream; L101: invokevirtual Method java/io/OutputStream flush ()V L104: ldc2_w 200L L107: invokestatic Method java/lang/Thread sleep (J)V L110: aload_0 L111: getfield Field StreamPumper finish Z L114: ifne L124 L117: aload_0 L118: getfield Field StreamPumper closeWhenExhausted Z L121: ifne L36 .stack same L124: aload_0 L125: getfield Field StreamPumper closeWhenExhausted Z L128: ifeq L142 .catch java/io/IOException from L131 to L138 using L141 L131: aload_0 L132: getfield Field StreamPumper out Ljava/io/OutputStream; L135: invokevirtual Method java/io/OutputStream close ()V L138: goto L142 .stack stack_1 Object java/io/IOException L141: astore_3 .stack same L142: aload_0 L143: iconst_1 L144: putfield Field StreamPumper finished Z L147: aload_0 L148: dup L149: astore_3 L150: monitorenter .catch [0] from L151 to L157 using L160 L151: aload_0 L152: invokevirtual Method java/lang/Object notifyAll ()V L155: aload_3 L156: monitorexit L157: goto L167 .catch [0] from L160 to L164 using L160 .catch java/lang/Exception from L36 to L124 using L170 .stack full locals Object StreamPumper Object [B Top Object java/lang/Object stack Object java/lang/Throwable .end stack L160: astore 4 L162: aload_3 L163: monitorexit L164: aload 4 L166: athrow .stack chop 2 L167: goto L293 .stack stack_1 Object java/lang/Exception L170: astore_3 L171: aload_0 L172: dup L173: astore 4 L175: monitorenter .catch [0] from L176 to L184 using L187 L176: aload_0 L177: aload_3 L178: putfield Field StreamPumper exception Ljava/lang/Exception; L181: aload 4 L183: monitorexit L184: goto L195 .catch [0] from L187 to L192 using L187 .stack full locals Object StreamPumper Object [B Top Object java/lang/Exception Object java/lang/Object stack Object java/lang/Throwable .end stack L187: astore 5 L189: aload 4 L191: monitorexit L192: aload 5 L194: athrow .stack chop 3 L195: aload_0 L196: getfield Field StreamPumper closeWhenExhausted Z L199: ifeq L213 .catch java/io/IOException from L202 to L209 using L212 L202: aload_0 L203: getfield Field StreamPumper out Ljava/io/OutputStream; L206: invokevirtual Method java/io/OutputStream close ()V L209: goto L213 .stack stack_1 Object java/io/IOException L212: astore_3 .stack same L213: aload_0 L214: iconst_1 L215: putfield Field StreamPumper finished Z L218: aload_0 L219: dup L220: astore_3 L221: monitorenter .catch [0] from L222 to L228 using L231 L222: aload_0 L223: invokevirtual Method java/lang/Object notifyAll ()V L226: aload_3 L227: monitorexit L228: goto L238 .catch [0] from L231 to L235 using L231 .catch [0] from L36 to L124 using L241 .catch [0] from L170 to L195 using L241 .stack full locals Object StreamPumper Object [B Top Object java/lang/Object stack Object java/lang/Throwable .end stack L231: astore 6 L233: aload_3 L234: monitorexit L235: aload 6 L237: athrow .stack chop 2 L238: goto L293 .stack stack_1 Object java/lang/Throwable L241: astore 7 L243: aload_0 L244: getfield Field StreamPumper closeWhenExhausted Z L247: ifeq L262 .catch java/io/IOException from L250 to L257 using L260 L250: aload_0 L251: getfield Field StreamPumper out Ljava/io/OutputStream; L254: invokevirtual Method java/io/OutputStream close ()V L257: goto L262 .stack full locals Object StreamPumper Object [B Top Top Top Top Top Object java/lang/Throwable stack Object java/io/IOException .end stack L260: astore 8 .stack same L262: aload_0 L263: iconst_1 L264: putfield Field StreamPumper finished Z L267: aload_0 L268: dup L269: astore 8 L271: monitorenter .catch [0] from L272 to L279 using L282 L272: aload_0 L273: invokevirtual Method java/lang/Object notifyAll ()V L276: aload 8 L278: monitorexit L279: goto L290 .catch [0] from L282 to L287 using L282 .catch [0] from L241 to L243 using L241 .stack full locals Object StreamPumper Object [B Top Top Top Top Top Object java/lang/Throwable Object java/lang/Object stack Object java/lang/Throwable .end stack L282: astore 9 L284: aload 8 L286: monitorexit L287: aload 9 L289: athrow .stack chop 1 L290: aload 7 L292: athrow .stack full locals Object StreamPumper Object [B stack .end stack L293: return L294: .linenumbertable L0 98 L4 99 L9 100 L19 101 L24 102 L29 104 L36 109 L53 110 L62 111 L67 112 L70 114 L80 115 L87 116 L97 119 L104 120 L110 121 L124 129 L131 131 L138 132 L142 134 L147 136 L151 137 L155 138 L167 139 L170 123 L171 124 L176 125 L181 126 L195 129 L202 131 L209 132 L213 134 L218 136 L222 137 L226 138 L238 139 L241 129 L250 131 L257 132 L262 134 L267 136 L272 137 L276 138 L290 139 L293 140 .end linenumbertable .end code .end method .method public isFinished : ()Z .code stack 1 locals 1 L0: aload_0 L1: getfield Field StreamPumper finished Z L4: ireturn L5: .linenumbertable L0 148 .end linenumbertable .end code .end method .method public synchronized waitFor : ()V .code stack 1 locals 1 .stack same L0: aload_0 L1: invokevirtual Method StreamPumper isFinished ()Z L4: ifne L14 L7: aload_0 L8: invokevirtual Method java/lang/Object wait ()V L11: goto L0 .stack same L14: return L15: .linenumbertable L0 157 L7 158 L14 160 .end linenumbertable .end code .exceptions java/lang/InterruptedException .end method .method public synchronized setBufferSize : (I)V .code stack 3 locals 2 L0: aload_0 L1: getfield Field StreamPumper started Z L4: ifeq L17 L7: new java/lang/IllegalStateException L10: dup L11: ldc 'Cannot set buffer size on a running StreamPumper' L13: invokespecial Method java/lang/IllegalStateException <init> (Ljava/lang/String;)V L16: athrow .stack same L17: aload_0 L18: iload_1 L19: putfield Field StreamPumper bufferSize I L22: return L23: .linenumbertable L0 169 L7 170 L17 173 L22 174 .end linenumbertable .end code .end method .method public synchronized getBufferSize : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field StreamPumper bufferSize I L4: ireturn L5: .linenumbertable L0 182 .end linenumbertable .end code .end method .method public synchronized getException : ()Ljava/lang/Exception; .code stack 1 locals 1 L0: aload_0 L1: getfield Field StreamPumper exception Ljava/lang/Exception; L4: areturn L5: .linenumbertable L0 191 .end linenumbertable .end code .end method .method public synchronized stop : ()V .code stack 2 locals 1 L0: aload_0 L1: iconst_1 L2: putfield Field StreamPumper finish Z L5: aload_0 L6: invokevirtual Method java/lang/Object notifyAll ()V L9: return L10: .linenumbertable L0 202 L5 204 L9 205 .end linenumbertable .end code .end method .method static <clinit> : ()V .code stack 1 locals 0 L0: ldc Class StreamPumper 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 StreamPumper $assertionsDisabled Z L16: return L17: .linenumbertable L0 35 .end linenumbertable .end code .end method .sourcefile 'StreamPumper.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 11:11:02 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.ByteArrayInputStream; import java.io.ByteArrayOutputStream; import java.io.DataInputStream; import java.io.DataOutputStream; import java.io.InputStream; import java.io.ObjectInputStream; import java.io.OutputStream; import java.io.PushbackInputStream; 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.MockPrintStream; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class StreamPumper_ESTest extends StreamPumper_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Enumeration<ObjectInputStream> enumeration0 = (Enumeration<ObjectInputStream>) mock(Enumeration.class, new ViolatedAssumptionAnswer()); doReturn(false).when(enumeration0).hasMoreElements(); SequenceInputStream sequenceInputStream0 = new SequenceInputStream(enumeration0); PushbackInputStream pushbackInputStream0 = new PushbackInputStream(sequenceInputStream0, 41024); DataInputStream dataInputStream0 = new DataInputStream(pushbackInputStream0); ByteArrayOutputStream byteArrayOutputStream0 = new ByteArrayOutputStream(0); MockPrintStream mockPrintStream0 = new MockPrintStream(byteArrayOutputStream0); StreamPumper streamPumper0 = new StreamPumper(dataInputStream0, mockPrintStream0, true); assertEquals(128, streamPumper0.getBufferSize()); streamPumper0.setBufferSize((byte)0); streamPumper0.getBufferSize(); streamPumper0.stop(); streamPumper0.getException(); assertEquals(0, streamPumper0.getBufferSize()); } @Test(timeout = 4000) public void test1() throws Throwable { ByteArrayOutputStream byteArrayOutputStream0 = new ByteArrayOutputStream(); StreamPumper streamPumper0 = null; try { streamPumper0 = new StreamPumper((InputStream) null, byteArrayOutputStream0, false); fail("Expecting exception: AssertionError"); } catch(AssertionError e) { // // no message in exception (getMessage() returned null) // } } @Test(timeout = 4000) public void test2() throws Throwable { Enumeration<ObjectInputStream> enumeration0 = (Enumeration<ObjectInputStream>) mock(Enumeration.class, new ViolatedAssumptionAnswer()); doReturn(false).when(enumeration0).hasMoreElements(); SequenceInputStream sequenceInputStream0 = new SequenceInputStream(enumeration0); PushbackInputStream pushbackInputStream0 = new PushbackInputStream(sequenceInputStream0, 41024); DataInputStream dataInputStream0 = new DataInputStream(pushbackInputStream0); ByteArrayOutputStream byteArrayOutputStream0 = new ByteArrayOutputStream(0); MockPrintStream mockPrintStream0 = new MockPrintStream(byteArrayOutputStream0); StreamPumper streamPumper0 = new StreamPumper(dataInputStream0, mockPrintStream0, true); int int0 = streamPumper0.getBufferSize(); assertEquals(128, int0); } @Test(timeout = 4000) public void test3() throws Throwable { byte[] byteArray0 = new byte[5]; ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0, (-3990), 0); DataOutputStream dataOutputStream0 = new DataOutputStream((OutputStream) null); StreamPumper streamPumper0 = new StreamPumper(byteArrayInputStream0, dataOutputStream0); streamPumper0.isFinished(); assertEquals(128, streamPumper0.getBufferSize()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 11:11: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; import static org.evosuite.shaded.org.mockito.Mockito.*; @EvoSuiteClassExclude public class StreamPumper_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 = "StreamPumper"; 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/tmp1ui_n2ho"); 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(StreamPumper_ESTest_scaffolding.class.getClassLoader() , "StreamPumper" ); } private static void initMocksToAvoidTimeoutsInTheTests() throws ClassNotFoundException { mock(Class.forName("java.util.Enumeration", false, StreamPumper_ESTest_scaffolding.class.getClassLoader())); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(StreamPumper_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "StreamPumper" ); } }
1,779
Reward
import java.io.Serializable; public abstract class Reward implements Serializable { private double magnitude; protected Reward(double magnitude) { super(); this.magnitude = magnitude; } public double getMagnitude() { return magnitude; } public void setMagnitude(double magnitude) { this.magnitude = magnitude; } @Override public String toString() { return getClass().getName() + " : " + getMagnitude(); } }
.version 52 0 .class public super abstract Reward .super java/lang/Object .implements java/io/Serializable .field private magnitude D .method protected <init> : (D)V .code stack 3 locals 3 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: dload_1 L6: putfield Field Reward magnitude D L9: return L10: .linenumbertable L0 10 L4 11 L9 12 .end linenumbertable .end code .end method .method public getMagnitude : ()D .code stack 2 locals 1 L0: aload_0 L1: getfield Field Reward magnitude D L4: dreturn L5: .linenumbertable L0 15 .end linenumbertable .end code .end method .method public setMagnitude : (D)V .code stack 3 locals 3 L0: aload_0 L1: dload_1 L2: putfield Field Reward magnitude D L5: return L6: .linenumbertable L0 19 L5 20 .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: aload_0 L8: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; L11: invokevirtual Method java/lang/Class getName ()Ljava/lang/String; L14: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L17: ldc ' : ' L19: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L22: aload_0 L23: invokevirtual Method Reward getMagnitude ()D L26: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder; L29: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L32: areturn L33: .linenumbertable L0 24 .end linenumbertable .end code .end method .sourcefile 'Reward.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 08:04: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 Reward_ESTest extends Reward_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 08:04:39 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 Reward_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 = "Reward"; 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(Reward_ESTest_scaffolding.class.getClassLoader() , "Reward" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Reward_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Reward" ); } }
1,780
RandomString
import java.util.Random; public class RandomString { private static final int DEFAULT_RANDOM_STRING_SIZE = 10; public static String generateAsciiString(int size) { int i; char c; String s = new String(); Random r = new Random(); for (i = 0; i < size; i++) { c = (char) (r.nextInt(25) + 97); s += c; } return s; } public static String generateAsciiString() { return RandomString.generateAsciiString(DEFAULT_RANDOM_STRING_SIZE); } }
.version 52 0 .class public super RandomString .super java/lang/Object .field private static final DEFAULT_RANDOM_STRING_SIZE I = 10 .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 generateAsciiString : (I)Ljava/lang/String; .code stack 2 locals 5 L0: new java/lang/String L3: dup L4: invokespecial Method java/lang/String <init> ()V L7: astore_3 L8: new java/util/Random L11: dup L12: invokespecial Method java/util/Random <init> ()V L15: astore 4 L17: iconst_0 L18: istore_1 .stack full locals Integer Integer Top Object java/lang/String Object java/util/Random stack .end stack L19: iload_1 L20: iload_0 L21: if_icmpge L61 L24: aload 4 L26: bipush 25 L28: invokevirtual Method java/util/Random nextInt (I)I L31: bipush 97 L33: iadd L34: i2c L35: istore_2 L36: new java/lang/StringBuilder L39: dup L40: invokespecial Method java/lang/StringBuilder <init> ()V L43: aload_3 L44: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L47: iload_2 L48: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L51: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L54: astore_3 L55: iinc 1 1 L58: goto L19 .stack same L61: aload_3 L62: areturn L63: .linenumbertable L0 11 L8 12 L17 14 L24 15 L36 16 L55 14 L61 19 .end linenumbertable .end code .end method .method public static generateAsciiString : ()Ljava/lang/String; .code stack 1 locals 0 L0: bipush 10 L2: invokestatic Method RandomString generateAsciiString (I)Ljava/lang/String; L5: areturn L6: .linenumbertable L0 23 .end linenumbertable .end code .end method .sourcefile 'RandomString.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 15:39: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 RandomString_ESTest extends RandomString_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { RandomString.generateAsciiString((-51715)); String string0 = RandomString.generateAsciiString(); assertEquals("aaaaaaaaaa", string0); } @Test(timeout = 4000) public void test1() throws Throwable { String string0 = RandomString.generateAsciiString(0); assertEquals("", string0); } @Test(timeout = 4000) public void test2() throws Throwable { String string0 = RandomString.generateAsciiString(25); assertEquals("aaaaaaaaaaaaaaaaaaaaaaaaa", string0); } @Test(timeout = 4000) public void test3() throws Throwable { RandomString.generateAsciiString(); RandomString randomString0 = new RandomString(); String string0 = RandomString.generateAsciiString(); assertEquals("aaaaaaaaaa", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 15:39: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 RandomString_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 = "RandomString"; 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/tmpd6j2oyea"); 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(RandomString_ESTest_scaffolding.class.getClassLoader() , "RandomString" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RandomString_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "RandomString" ); } }
1,781
CachecConstants
/******************************************************************************* * Copyright (c) 2012-2014 Generoso Pagano. * 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: * Generoso Pagano - initial API and implementation * David Beniamine - Adaptation from PjDump to HeapInfo ******************************************************************************/ /** * Constants for cachec parser * * @author "David Beniamine <[email protected]>" */ public class CachecConstants { /** Field separator */ public static final String SEPARATOR = " "; /** Page size */ public static final int DB_PAGE_SIZE = 20000; // Structure file: name,start,size public static final int Field_Addr = 0; public static final int Field_EventType = 1; public static final int Field_Time = 2; // Root name public static final String ROOT_NAME = "Memory Root"; /** Time shift exponent (nanoseconds) */ public static final int TIME_SHIFT = 9; public static final String TRACE_NAME = "cachec"; public static final String TRACE_file = ".trace"; public static final String EventType_file = ".events"; }
.version 52 0 .class public super CachecConstants .super java/lang/Object .field public static final SEPARATOR Ljava/lang/String; = ' ' .field public static final DB_PAGE_SIZE I = 20000 .field public static final Field_Addr I = 0 .field public static final Field_EventType I = 1 .field public static final Field_Time I = 2 .field public static final ROOT_NAME Ljava/lang/String; = 'Memory Root' .field public static final TIME_SHIFT I = 9 .field public static final TRACE_NAME Ljava/lang/String; = 'cachec' .field public static final TRACE_file Ljava/lang/String; = '.trace' .field public static final EventType_file Ljava/lang/String; = '.events' .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 20 .end linenumbertable .end code .end method .sourcefile 'CachecConstants.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 13:32:58 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 CachecConstants_ESTest extends CachecConstants_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { CachecConstants cachecConstants0 = new CachecConstants(); assertEquals(0, CachecConstants.Field_Addr); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 13:32: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 CachecConstants_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 = "CachecConstants"; 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/tmpciox_vsr"); 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(CachecConstants_ESTest_scaffolding.class.getClassLoader() , "CachecConstants" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CachecConstants_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "CachecConstants" ); } }
1,782
Message
/* * @(#)Message.java 26/07/2017 * * Copyright (c) 2016 David Rengifo * * 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. * */ /** * Message * * @author <a href="david.rengifo.mx">david rengifo</a> */ public class Message { /** Mensaje para imprimir seleccionaste */ public static final String PRINT_SELECTED = "Seleccionaste "; /** Mensaje para imprimir has hecho clic en el boton */ public static final String CLICK_BUTTON = "Has hecho clic en el botón "; /** Mensaje de Error al realizar la lectuar del archivo xml */ public static final String ERROR_MESSAGE_IO = "Error : Mientras se realizaba la lectura del archivo"; /** Mensaje de Error al no poder cargar el driver de MySql */ public static final String ERROR_DRIVER = "Error: No se pudo cargar la clase del driver para MySQL! "; /** Mensaje de Error al fallar la creacion de la conexion a la base de datos */ public static final String ERROR_MESSAGE_OPEN_CONNECTION = "Error: Mientras se creaba la conexion a la base de datos. "; /** Mensaje de Error al fallar una consulta realizada a la base de datos */ public static final String ERROR_MESSAGE_SELECT = "Error : Mientras se consultaba la base de datos. "; /** Mensaje de Error al fallar un insert en la base de datos */ public static final String ERROR_MESSAGE_INSERT = "Error : Mientras se insertaba el registro en la base de datos. "; /** Mensaje de Error al fallar un insert en la base de datos */ public static final String ERROR_MESSAGE_INSERT_RESULTS = "Error : No se pudieron persistir los resultados del examen "; /** Mensaje de Error para indicar que no se pudieron persistir los resultados */ public static final String ERROR_PERSIST_RESULT = "No se pudieron persistir los resultados del examen para "; /** Mensaje de Error al fallar la actualizacion de la base de datos */ public static final String ERROR_MESSAGE_UPDATE = "Error : Mientras se actualizaba el registro en la base de datos. "; /** Mensaje de Error al fallar el cierre de la conexion a la base de datos */ public static final String ERROR_MESSAGE_CLOSE_CONNECTION = "Error : Mientras se cerraba la conexion a la base de datos. "; /** Mensaje de Error por no encontrar el archivo xml del examen */ public static final String ERROR_EXAM_NOT_FOUND = "Error : No se ha encontrado el archivo de este examen. "; }
.version 52 0 .class public super Message .super java/lang/Object .field public static final PRINT_SELECTED Ljava/lang/String; = 'Seleccionaste ' .field public static final CLICK_BUTTON Ljava/lang/String; = 'Has hecho clic en el botón ' .field public static final ERROR_MESSAGE_IO Ljava/lang/String; = 'Error : Mientras se realizaba la lectura del archivo' .field public static final ERROR_DRIVER Ljava/lang/String; = 'Error: No se pudo cargar la clase del driver para MySQL! ' .field public static final ERROR_MESSAGE_OPEN_CONNECTION Ljava/lang/String; = 'Error: Mientras se creaba la conexion a la base de datos. ' .field public static final ERROR_MESSAGE_SELECT Ljava/lang/String; = 'Error : Mientras se consultaba la base de datos. ' .field public static final ERROR_MESSAGE_INSERT Ljava/lang/String; = 'Error : Mientras se insertaba el registro en la base de datos. ' .field public static final ERROR_MESSAGE_INSERT_RESULTS Ljava/lang/String; = 'Error : No se pudieron persistir los resultados del examen ' .field public static final ERROR_PERSIST_RESULT Ljava/lang/String; = 'No se pudieron persistir los resultados del examen para ' .field public static final ERROR_MESSAGE_UPDATE Ljava/lang/String; = 'Error : Mientras se actualizaba el registro en la base de datos. ' .field public static final ERROR_MESSAGE_CLOSE_CONNECTION Ljava/lang/String; = 'Error : Mientras se cerraba la conexion a la base de datos. ' .field public static final ERROR_EXAM_NOT_FOUND Ljava/lang/String; = 'Error : No se ha encontrado el archivo de este examen. ' .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 21 .end linenumbertable .end code .end method .sourcefile 'Message.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 10:07: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 Message_ESTest extends Message_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Message message0 = new Message(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 10:07: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 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/tmpo953odfb"); 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" ); } }
1,783
PillarTestGroups
/* * #%L * Bitrepository Integrity Service * %% * Copyright (C) 2010 - 2012 The State and University Library, The Royal Library and The State Archives, Denmark * %% * This program 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 2.1 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 Lesser Public License for more details. * * You should have received a copy of the GNU General Lesser Public * License along with this program. If not, see * <http://www.gnu.org/licenses/lgpl-2.1.html>. * #L% */ public class PillarTestGroups { public static final String CHECKSUM_PILLAR_TEST = "checksumPillarTest"; public static final String FULL_PILLAR_TEST = "fullPillarTest"; public static final String OPERATION_ACCEPTED_PROGRESS = "operationAcceptedProgress"; public static final String RESULT_UPLOAD = "resultUploadTest"; }
.version 52 0 .class public super PillarTestGroups .super java/lang/Object .field public static final CHECKSUM_PILLAR_TEST Ljava/lang/String; = 'checksumPillarTest' .field public static final FULL_PILLAR_TEST Ljava/lang/String; = 'fullPillarTest' .field public static final OPERATION_ACCEPTED_PROGRESS Ljava/lang/String; = 'operationAcceptedProgress' .field public static final RESULT_UPLOAD Ljava/lang/String; = 'resultUploadTest' .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 .end linenumbertable .end code .end method .sourcefile 'PillarTestGroups.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 05:37:18 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 PillarTestGroups_ESTest extends PillarTestGroups_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { PillarTestGroups pillarTestGroups0 = new PillarTestGroups(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 05:37:18 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 PillarTestGroups_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 = "PillarTestGroups"; 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/tmpcrzrcwa6"); 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(PillarTestGroups_ESTest_scaffolding.class.getClassLoader() , "PillarTestGroups" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PillarTestGroups_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "PillarTestGroups" ); } }
1,784
MyCallable
import java.util.concurrent.Callable; public class MyCallable implements Callable<Integer> { private int number; public MyCallable(int number) { this.number = number; } @Override public Integer call() throws Exception { int sum = 0; for (int x = 1; x <= number; x++) { sum += x; } return sum; } }
.version 52 0 .class public super MyCallable .super java/lang/Object .implements java/util/concurrent/Callable .field private number I .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 MyCallable number I L9: return L10: .linenumbertable L0 9 L4 10 L9 11 .end linenumbertable .end code .end method .method public call : ()Ljava/lang/Integer; .code stack 2 locals 3 L0: iconst_0 L1: istore_1 L2: iconst_1 L3: istore_2 .stack append Integer Integer L4: iload_2 L5: aload_0 L6: getfield Field MyCallable number I L9: if_icmpgt L22 L12: iload_1 L13: iload_2 L14: iadd L15: istore_1 L16: iinc 2 1 L19: goto L4 .stack chop 1 L22: iload_1 L23: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; L26: areturn L27: .linenumbertable L0 15 L2 16 L12 17 L16 16 L22 19 .end linenumbertable .end code .exceptions java/lang/Exception .end method .method public bridge synthetic call : ()Ljava/lang/Object; .code stack 1 locals 1 L0: aload_0 L1: invokevirtual Method MyCallable call ()Ljava/lang/Integer; L4: areturn L5: .linenumbertable L0 5 .end linenumbertable .end code .exceptions java/lang/Exception .end method .signature Ljava/lang/Object;Ljava/util/concurrent/Callable<Ljava/lang/Integer;>; .sourcefile 'MyCallable.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 14:05:46 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 MyCallable_ESTest extends MyCallable_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { MyCallable myCallable0 = new MyCallable(34235); myCallable0.call(); } @Test(timeout = 4000) public void test1() throws Throwable { MyCallable myCallable0 = new MyCallable((-48816)); Integer integer0 = myCallable0.call(); assertEquals(0, (int)integer0); } @Test(timeout = 4000) public void test2() throws Throwable { MyCallable myCallable0 = new MyCallable(1); myCallable0.call(); Integer integer0 = myCallable0.call(); assertEquals(1, (int)integer0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 14:05: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 MyCallable_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 = "MyCallable"; 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/tmp81bx1cyl"); 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(MyCallable_ESTest_scaffolding.class.getClassLoader() , "MyCallable" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MyCallable_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "MyCallable" ); } }
1,785
GuestToolsInventory
public class GuestToolsInventory { public java.lang.String uuid; public void setUuid(java.lang.String uuid) { this.uuid = uuid; } public java.lang.String getUuid() { return this.uuid; } public java.lang.String name; public void setName(java.lang.String name) { this.name = name; } public java.lang.String getName() { return this.name; } public java.lang.String description; public void setDescription(java.lang.String description) { this.description = description; } public java.lang.String getDescription() { return this.description; } public java.lang.String managementNodeUuid; public void setManagementNodeUuid(java.lang.String managementNodeUuid) { this.managementNodeUuid = managementNodeUuid; } public java.lang.String getManagementNodeUuid() { return this.managementNodeUuid; } public java.lang.String architecture; public void setArchitecture(java.lang.String architecture) { this.architecture = architecture; } public java.lang.String getArchitecture() { return this.architecture; } public java.lang.String hypervisorType; public void setHypervisorType(java.lang.String hypervisorType) { this.hypervisorType = hypervisorType; } public java.lang.String getHypervisorType() { return this.hypervisorType; } public java.lang.String version; public void setVersion(java.lang.String version) { this.version = version; } public java.lang.String getVersion() { return this.version; } public java.lang.String agentType; public void setAgentType(java.lang.String agentType) { this.agentType = agentType; } public java.lang.String getAgentType() { return this.agentType; } public java.sql.Timestamp createDate; public void setCreateDate(java.sql.Timestamp createDate) { this.createDate = createDate; } public java.sql.Timestamp getCreateDate() { return this.createDate; } public java.sql.Timestamp lastOpDate; public void setLastOpDate(java.sql.Timestamp lastOpDate) { this.lastOpDate = lastOpDate; } public java.sql.Timestamp getLastOpDate() { return this.lastOpDate; } }
.version 52 0 .class public super GuestToolsInventory .super java/lang/Object .field public uuid Ljava/lang/String; .field public name Ljava/lang/String; .field public description Ljava/lang/String; .field public managementNodeUuid Ljava/lang/String; .field public architecture Ljava/lang/String; .field public hypervisorType Ljava/lang/String; .field public version Ljava/lang/String; .field public agentType Ljava/lang/String; .field public createDate Ljava/sql/Timestamp; .field public lastOpDate Ljava/sql/Timestamp; .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 setUuid : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field GuestToolsInventory uuid Ljava/lang/String; L5: return L6: .linenumbertable L0 9 L5 10 .end linenumbertable .end code .end method .method public getUuid : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field GuestToolsInventory uuid Ljava/lang/String; L4: areturn L5: .linenumbertable L0 12 .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 GuestToolsInventory name Ljava/lang/String; L5: return L6: .linenumbertable L0 17 L5 18 .end linenumbertable .end code .end method .method public getName : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field GuestToolsInventory name Ljava/lang/String; L4: areturn L5: .linenumbertable L0 20 .end linenumbertable .end code .end method .method public setDescription : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field GuestToolsInventory description Ljava/lang/String; L5: return L6: .linenumbertable L0 25 L5 26 .end linenumbertable .end code .end method .method public getDescription : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field GuestToolsInventory description Ljava/lang/String; L4: areturn L5: .linenumbertable L0 28 .end linenumbertable .end code .end method .method public setManagementNodeUuid : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field GuestToolsInventory managementNodeUuid Ljava/lang/String; L5: return L6: .linenumbertable L0 33 L5 34 .end linenumbertable .end code .end method .method public getManagementNodeUuid : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field GuestToolsInventory managementNodeUuid Ljava/lang/String; L4: areturn L5: .linenumbertable L0 36 .end linenumbertable .end code .end method .method public setArchitecture : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field GuestToolsInventory architecture Ljava/lang/String; L5: return L6: .linenumbertable L0 41 L5 42 .end linenumbertable .end code .end method .method public getArchitecture : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field GuestToolsInventory architecture Ljava/lang/String; L4: areturn L5: .linenumbertable L0 44 .end linenumbertable .end code .end method .method public setHypervisorType : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field GuestToolsInventory hypervisorType Ljava/lang/String; L5: return L6: .linenumbertable L0 49 L5 50 .end linenumbertable .end code .end method .method public getHypervisorType : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field GuestToolsInventory hypervisorType Ljava/lang/String; L4: areturn L5: .linenumbertable L0 52 .end linenumbertable .end code .end method .method public setVersion : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field GuestToolsInventory version Ljava/lang/String; L5: return L6: .linenumbertable L0 57 L5 58 .end linenumbertable .end code .end method .method public getVersion : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field GuestToolsInventory version Ljava/lang/String; L4: areturn L5: .linenumbertable L0 60 .end linenumbertable .end code .end method .method public setAgentType : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field GuestToolsInventory agentType Ljava/lang/String; L5: return L6: .linenumbertable L0 65 L5 66 .end linenumbertable .end code .end method .method public getAgentType : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field GuestToolsInventory agentType Ljava/lang/String; L4: areturn L5: .linenumbertable L0 68 .end linenumbertable .end code .end method .method public setCreateDate : (Ljava/sql/Timestamp;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field GuestToolsInventory createDate Ljava/sql/Timestamp; L5: return L6: .linenumbertable L0 73 L5 74 .end linenumbertable .end code .end method .method public getCreateDate : ()Ljava/sql/Timestamp; .code stack 1 locals 1 L0: aload_0 L1: getfield Field GuestToolsInventory createDate Ljava/sql/Timestamp; L4: areturn L5: .linenumbertable L0 76 .end linenumbertable .end code .end method .method public setLastOpDate : (Ljava/sql/Timestamp;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field GuestToolsInventory lastOpDate Ljava/sql/Timestamp; L5: return L6: .linenumbertable L0 81 L5 82 .end linenumbertable .end code .end method .method public getLastOpDate : ()Ljava/sql/Timestamp; .code stack 1 locals 1 L0: aload_0 L1: getfield Field GuestToolsInventory lastOpDate Ljava/sql/Timestamp; L4: areturn L5: .linenumbertable L0 84 .end linenumbertable .end code .end method .sourcefile 'GuestToolsInventory.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 09:38:31 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import java.sql.Timestamp; import java.time.Instant; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.evosuite.runtime.mock.java.time.MockInstant; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class GuestToolsInventory_ESTest extends GuestToolsInventory_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); guestToolsInventory0.setVersion("{6FK_x'.b?r"); String string0 = guestToolsInventory0.getVersion(); assertEquals("{6FK_x'.b?r", string0); } @Test(timeout = 4000) public void test01() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); guestToolsInventory0.setVersion(""); String string0 = guestToolsInventory0.getVersion(); assertEquals("", string0); } @Test(timeout = 4000) public void test02() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); guestToolsInventory0.uuid = "GuestToolsInventory"; String string0 = guestToolsInventory0.getUuid(); assertEquals("GuestToolsInventory", string0); } @Test(timeout = 4000) public void test03() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); guestToolsInventory0.setUuid(""); String string0 = guestToolsInventory0.getUuid(); assertEquals("", string0); } @Test(timeout = 4000) public void test04() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); guestToolsInventory0.setName("g>6"); String string0 = guestToolsInventory0.getName(); assertEquals("g>6", string0); } @Test(timeout = 4000) public void test05() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); guestToolsInventory0.setName(""); String string0 = guestToolsInventory0.getName(); assertEquals("", string0); } @Test(timeout = 4000) public void test06() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); guestToolsInventory0.managementNodeUuid = "="; String string0 = guestToolsInventory0.getManagementNodeUuid(); assertEquals("=", string0); } @Test(timeout = 4000) public void test07() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); guestToolsInventory0.setManagementNodeUuid(""); String string0 = guestToolsInventory0.getManagementNodeUuid(); assertEquals("", string0); } @Test(timeout = 4000) public void test08() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); Timestamp timestamp0 = new Timestamp(0L); guestToolsInventory0.setLastOpDate(timestamp0); Timestamp timestamp1 = guestToolsInventory0.getLastOpDate(); assertEquals(0, timestamp1.getNanos()); } @Test(timeout = 4000) public void test09() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); Instant instant0 = MockInstant.now(); Timestamp timestamp0 = Timestamp.from(instant0); guestToolsInventory0.lastOpDate = timestamp0; Timestamp timestamp1 = guestToolsInventory0.getLastOpDate(); assertSame(timestamp1, timestamp0); } @Test(timeout = 4000) public void test10() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); guestToolsInventory0.hypervisorType = "!zq{yqt~y$"; String string0 = guestToolsInventory0.getHypervisorType(); assertEquals("!zq{yqt~y$", string0); } @Test(timeout = 4000) public void test11() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); guestToolsInventory0.setHypervisorType(""); String string0 = guestToolsInventory0.getHypervisorType(); assertEquals("", string0); } @Test(timeout = 4000) public void test12() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); guestToolsInventory0.setDescription("x/,m]vov8L"); String string0 = guestToolsInventory0.getDescription(); assertEquals("x/,m]vov8L", string0); } @Test(timeout = 4000) public void test13() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); guestToolsInventory0.description = ""; String string0 = guestToolsInventory0.getDescription(); assertEquals("", string0); } @Test(timeout = 4000) public void test14() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); Timestamp timestamp0 = new Timestamp(0L); guestToolsInventory0.setCreateDate(timestamp0); Timestamp timestamp1 = guestToolsInventory0.getCreateDate(); assertSame(timestamp1, timestamp0); } @Test(timeout = 4000) public void test15() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); Timestamp timestamp0 = new Timestamp((-13579L)); guestToolsInventory0.setCreateDate(timestamp0); Timestamp timestamp1 = guestToolsInventory0.getCreateDate(); assertSame(timestamp1, timestamp0); } @Test(timeout = 4000) public void test16() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); guestToolsInventory0.setArchitecture("o1C|UL\"OvB"); String string0 = guestToolsInventory0.getArchitecture(); assertEquals("o1C|UL\"OvB", string0); } @Test(timeout = 4000) public void test17() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); guestToolsInventory0.setArchitecture(""); String string0 = guestToolsInventory0.getArchitecture(); assertEquals("", string0); } @Test(timeout = 4000) public void test18() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); guestToolsInventory0.setAgentType("|j4_"); String string0 = guestToolsInventory0.getAgentType(); assertEquals("|j4_", string0); } @Test(timeout = 4000) public void test19() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); guestToolsInventory0.setAgentType(""); String string0 = guestToolsInventory0.getAgentType(); assertEquals("", string0); } @Test(timeout = 4000) public void test20() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); String string0 = guestToolsInventory0.getAgentType(); assertNull(string0); } @Test(timeout = 4000) public void test21() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); String string0 = guestToolsInventory0.getHypervisorType(); assertNull(string0); } @Test(timeout = 4000) public void test22() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); String string0 = guestToolsInventory0.getManagementNodeUuid(); assertNull(string0); } @Test(timeout = 4000) public void test23() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); Timestamp timestamp0 = guestToolsInventory0.getCreateDate(); assertNull(timestamp0); } @Test(timeout = 4000) public void test24() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); String string0 = guestToolsInventory0.getArchitecture(); assertNull(string0); } @Test(timeout = 4000) public void test25() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); String string0 = guestToolsInventory0.getUuid(); assertNull(string0); } @Test(timeout = 4000) public void test26() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); String string0 = guestToolsInventory0.getDescription(); assertNull(string0); } @Test(timeout = 4000) public void test27() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); String string0 = guestToolsInventory0.getName(); assertNull(string0); } @Test(timeout = 4000) public void test28() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); String string0 = guestToolsInventory0.getVersion(); assertNull(string0); } @Test(timeout = 4000) public void test29() throws Throwable { GuestToolsInventory guestToolsInventory0 = new GuestToolsInventory(); Timestamp timestamp0 = guestToolsInventory0.getLastOpDate(); assertNull(timestamp0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 09:38: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 GuestToolsInventory_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 = "GuestToolsInventory"; 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/tmpaiexkjh8"); 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(GuestToolsInventory_ESTest_scaffolding.class.getClassLoader() , "GuestToolsInventory" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(GuestToolsInventory_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "GuestToolsInventory" ); } }
1,786
PhotoPictures
import java.util.Scanner; public class PhotoPictures { public static void main(String[] args) { Scanner scanner = new Scanner(System.in); int brPhotos = Integer.parseInt(scanner.nextLine()); String type = scanner.nextLine(); String purchaiseType = scanner.nextLine(); double sum = 0.0; switch (type) { case "9X13": sum = brPhotos * 0.16; if (brPhotos >= 50) { sum = brPhotos * 0.16 - ((brPhotos * 0.16) * 0.05); } break; case "10X15": sum = brPhotos * 0.16; if (brPhotos >= 80) { sum = brPhotos * 0.16 - ((brPhotos * 0.16) * 0.03); } break; case "13X18": sum = brPhotos * 0.38; if (brPhotos >= 50 && brPhotos <= 100) { sum = brPhotos * 0.38 - ((brPhotos * 0.38) * 0.03); } else if (brPhotos > 100) { sum = brPhotos * 0.38 - ((brPhotos * 0.38) * 0.05); } break; case "20X30": sum = brPhotos * 2.9; if (brPhotos >= 10 && brPhotos <= 50) { sum = brPhotos * 2.9 - ((brPhotos * 2.9) * 0.07); } else if (brPhotos > 50) { sum = brPhotos * 2.9 - ((brPhotos * 2.9) * 0.09); } break; } if (purchaiseType.equals("online")) { sum *= 0.98; } System.out.printf("%.2fBGN", sum); } }
.version 52 0 .class public super PhotoPictures .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 7 locals 9 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: aload_1 L12: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String; L15: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I L18: istore_2 L19: aload_1 L20: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String; L23: astore_3 L24: aload_1 L25: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String; L28: astore 4 L30: dconst_0 L31: dstore 5 L33: aload_3 L34: astore 7 L36: iconst_m1 L37: istore 8 L39: aload 7 L41: invokevirtual Method java/lang/String hashCode ()I L44: lookupswitch 1784225 : L88 46768637 : L104 46858013 : L120 47692215 : L136 default : L149 .stack full locals Object [Ljava/lang/String; Object java/util/Scanner Integer Object java/lang/String Object java/lang/String Double Object java/lang/String Integer stack .end stack L88: aload 7 L90: ldc '9X13' L92: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L95: ifeq L149 L98: iconst_0 L99: istore 8 L101: goto L149 .stack same L104: aload 7 L106: ldc '10X15' L108: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L111: ifeq L149 L114: iconst_1 L115: istore 8 L117: goto L149 .stack same L120: aload 7 L122: ldc '13X18' L124: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L127: ifeq L149 L130: iconst_2 L131: istore 8 L133: goto L149 .stack same L136: aload 7 L138: ldc '20X30' L140: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L143: ifeq L149 L146: iconst_3 L147: istore 8 .stack same L149: iload 8 L151: tableswitch 0 L180 L216 L252 L322 default : L389 .stack same L180: iload_2 L181: i2d L182: ldc2_w +0.16 L185: dmul L186: dstore 5 L188: iload_2 L189: bipush 50 L191: if_icmplt L389 L194: iload_2 L195: i2d L196: ldc2_w +0.16 L199: dmul L200: iload_2 L201: i2d L202: ldc2_w +0.16 L205: dmul L206: ldc2_w +0.05 L209: dmul L210: dsub L211: dstore 5 L213: goto L389 .stack same L216: iload_2 L217: i2d L218: ldc2_w +0.16 L221: dmul L222: dstore 5 L224: iload_2 L225: bipush 80 L227: if_icmplt L389 L230: iload_2 L231: i2d L232: ldc2_w +0.16 L235: dmul L236: iload_2 L237: i2d L238: ldc2_w +0.16 L241: dmul L242: ldc2_w +0.03 L245: dmul L246: dsub L247: dstore 5 L249: goto L389 .stack same L252: iload_2 L253: i2d L254: ldc2_w +0.38 L257: dmul L258: dstore 5 L260: iload_2 L261: bipush 50 L263: if_icmplt L294 L266: iload_2 L267: bipush 100 L269: if_icmpgt L294 L272: iload_2 L273: i2d L274: ldc2_w +0.38 L277: dmul L278: iload_2 L279: i2d L280: ldc2_w +0.38 L283: dmul L284: ldc2_w +0.03 L287: dmul L288: dsub L289: dstore 5 L291: goto L389 .stack same L294: iload_2 L295: bipush 100 L297: if_icmple L389 L300: iload_2 L301: i2d L302: ldc2_w +0.38 L305: dmul L306: iload_2 L307: i2d L308: ldc2_w +0.38 L311: dmul L312: ldc2_w +0.05 L315: dmul L316: dsub L317: dstore 5 L319: goto L389 .stack same L322: iload_2 L323: i2d L324: ldc2_w +2.9 L327: dmul L328: dstore 5 L330: iload_2 L331: bipush 10 L333: if_icmplt L364 L336: iload_2 L337: bipush 50 L339: if_icmpgt L364 L342: iload_2 L343: i2d L344: ldc2_w +2.9 L347: dmul L348: iload_2 L349: i2d L350: ldc2_w +2.9 L353: dmul L354: ldc2_w +0.07 L357: dmul L358: dsub L359: dstore 5 L361: goto L389 .stack same L364: iload_2 L365: bipush 50 L367: if_icmple L389 L370: iload_2 L371: i2d L372: ldc2_w +2.9 L375: dmul L376: iload_2 L377: i2d L378: ldc2_w +2.9 L381: dmul L382: ldc2_w +0.09 L385: dmul L386: dsub L387: dstore 5 .stack chop 2 L389: aload 4 L391: ldc 'online' L393: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L396: ifeq L407 L399: dload 5 L401: ldc2_w +0.98 L404: dmul L405: dstore 5 .stack same L407: getstatic Field java/lang/System out Ljava/io/PrintStream; L410: ldc '%.2fBGN' L412: iconst_1 L413: anewarray java/lang/Object L416: dup L417: iconst_0 L418: dload 5 L420: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double; L423: aastore L424: invokevirtual Method java/io/PrintStream printf (Ljava/lang/String;[Ljava/lang/Object;)Ljava/io/PrintStream; L427: pop L428: return L429: .linenumbertable L0 7 L11 9 L19 10 L24 11 L30 13 L33 15 L180 17 L188 18 L194 19 L216 23 L224 24 L230 25 L252 29 L260 30 L272 31 L294 32 L300 33 L322 37 L330 38 L342 39 L364 40 L370 41 L389 45 L399 46 L407 48 L428 49 .end linenumbertable .end code .end method .sourcefile 'PhotoPictures.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 10:23:52 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 PhotoPictures_ESTest extends PhotoPictures_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { SystemInUtil.addInputLine("7"); SystemInUtil.addInputLine("7"); // Undeclared exception! try { PhotoPictures.main((String[]) null); fail("Expecting exception: NoSuchElementException"); } catch(NoSuchElementException e) { // // No line found // verifyException("java.util.Scanner", e); } } @Test(timeout = 4000) public void test1() throws Throwable { PhotoPictures photoPictures0 = new PhotoPictures(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 10:23: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 PhotoPictures_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 = "PhotoPictures"; 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/tmpeov95u9j"); 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(PhotoPictures_ESTest_scaffolding.class.getClassLoader() , "PhotoPictures" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PhotoPictures_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "PhotoPictures" ); } }
1,787
SolveProblemJobDTO
/** Задание: запуск решения задачи */ public class SolveProblemJobDTO { /** Идентификатор задачи */ public long ProblemId; /** Идентификатор алгоритма */ public long AlgorithmId; }
.version 52 0 .class public super SolveProblemJobDTO .super java/lang/Object .field public ProblemId J .field public AlgorithmId 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 6 .end linenumbertable .end code .end method .sourcefile 'SolveProblemJobDTO.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 11:15: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 SolveProblemJobDTO_ESTest extends SolveProblemJobDTO_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { SolveProblemJobDTO solveProblemJobDTO0 = new SolveProblemJobDTO(); assertEquals(0L, solveProblemJobDTO0.ProblemId); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 11:15: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 SolveProblemJobDTO_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 = "SolveProblemJobDTO"; 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/tmprbm0wft3"); 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(SolveProblemJobDTO_ESTest_scaffolding.class.getClassLoader() , "SolveProblemJobDTO" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SolveProblemJobDTO_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "SolveProblemJobDTO" ); } }
1,788
Target
public class Target { public double height = 0; public double width = 0; public double centerX = 0; public double centerY = 0; boolean valid = false; public Target() { height = 0; width = 0; centerX = 0; centerY = 0; valid = false; } public Target(double h, double w, double cx, double cy) { height = h; width = w; centerX = cx; centerY = cy; valid = true; } }
.version 52 0 .class public super Target .super java/lang/Object .field public height D .field public width D .field public centerX D .field public centerY D .field valid Z .method public <init> : ()V .code stack 3 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: dconst_0 L6: putfield Field Target height D L9: aload_0 L10: dconst_0 L11: putfield Field Target width D L14: aload_0 L15: dconst_0 L16: putfield Field Target centerX D L19: aload_0 L20: dconst_0 L21: putfield Field Target centerY D L24: aload_0 L25: iconst_0 L26: putfield Field Target valid Z L29: aload_0 L30: dconst_0 L31: putfield Field Target height D L34: aload_0 L35: dconst_0 L36: putfield Field Target width D L39: aload_0 L40: dconst_0 L41: putfield Field Target centerX D L44: aload_0 L45: dconst_0 L46: putfield Field Target centerY D L49: aload_0 L50: iconst_0 L51: putfield Field Target valid Z L54: return L55: .linenumbertable L0 11 L4 4 L9 5 L14 6 L19 7 L24 9 L29 12 L34 13 L39 14 L44 15 L49 16 L54 17 .end linenumbertable .end code .end method .method public <init> : (DDDD)V .code stack 3 locals 9 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: dconst_0 L6: putfield Field Target height D L9: aload_0 L10: dconst_0 L11: putfield Field Target width D L14: aload_0 L15: dconst_0 L16: putfield Field Target centerX D L19: aload_0 L20: dconst_0 L21: putfield Field Target centerY D L24: aload_0 L25: iconst_0 L26: putfield Field Target valid Z L29: aload_0 L30: dload_1 L31: putfield Field Target height D L34: aload_0 L35: dload_3 L36: putfield Field Target width D L39: aload_0 L40: dload 5 L42: putfield Field Target centerX D L45: aload_0 L46: dload 7 L48: putfield Field Target centerY D L51: aload_0 L52: iconst_1 L53: putfield Field Target valid Z L56: return L57: .linenumbertable L0 19 L4 4 L9 5 L14 6 L19 7 L24 9 L29 20 L34 21 L39 22 L45 23 L51 24 L56 25 .end linenumbertable .end code .end method .sourcefile 'Target.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 05:15:57 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 Target_ESTest extends Target_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Target target0 = new Target(1.0, 0.0, (-58095.179415708335), 0.0); assertEquals(0.0, target0.width, 1.0E-4); assertEquals(1.0, target0.height, 1.0E-4); assertEquals(0.0, target0.centerY, 1.0E-4); assertEquals((-58095.179415708335), target0.centerX, 1.0E-4); } @Test(timeout = 4000) public void test1() throws Throwable { Target target0 = new Target(); assertEquals(0.0, target0.centerX, 1.0E-4); assertEquals(0.0, target0.width, 1.0E-4); assertEquals(0.0, target0.height, 1.0E-4); assertEquals(0.0, target0.centerY, 1.0E-4); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 05:15:57 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 Target_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 = "Target"; 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/tmpan8yfe14"); 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(Target_ESTest_scaffolding.class.getClassLoader() , "Target" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Target_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Target" ); } }
1,789
DungeonGame
/* The demons had captured the princess (P) and imprisoned her in the bottom-right corner of a dungeon. The dungeon consists of M x N rooms laid out in a 2D grid. Our valiant knight (K) was initially positioned in the top-left room and must fight his way through the dungeon to rescue the princess. The knight has an initial health point represented by a positive integer. If at any point his health point drops to 0 or below, he dies immediately. Some of the rooms are guarded by demons, so the knight loses health (negative integers) upon entering these rooms; other rooms are either empty (0's) or contain magic orbs that increase the knight's health (positive integers). In order to reach the princess as quickly as possible, the knight decides to move only rightward or downward in each step. Write a function to determine the knight's minimum initial health so that he is able to rescue the princess. For example, given the dungeon below, the initial health of the knight must be at least 7 if he follows the optimal path RIGHT-> RIGHT -> DOWN -> DOWN. -2 (K) -3 3 -5 -10 1 10 30 -5 (P) Notes: The knight's health has no upper bound. Any room can contain threats or power-ups, even the first room the knight enters and the bottom-right room where the princess is imprisoned. */ import java.io.*; import java.util.*; public class DungeonGame { public static int calculateMinimumHP(int[][] dungeon) { if (dungeon.length <= 0 || dungeon[0].length <= 0) { return -1; } int M = dungeon.length; int N = dungeon[0].length; int[][] matrix = new int[M][N]; matrix[M - 1][N - 1] = dungeon[M - 1][N - 1] >= 1 ? 1 : 1 - dungeon[M - 1][N - 1]; for (int i = M - 2; i >= 0; i--) { matrix[i][N - 1] = Math.max(matrix[i + 1][N - 1] - dungeon[i][N - 1], 1); } for (int j = N - 2; j >= 0; j--) { matrix[M - 1][j] = Math.max(matrix[M - 1][j + 1] - dungeon[M - 1][j], 1); } for (int i = M - 2; i >= 0; i--) { for (int j = N - 2; j >= 0; j--) { int l = Math.max(matrix[i + 1][j] - dungeon[i][j], 1); int m = Math.max(matrix[i][j + 1] - dungeon[i][j], 1); matrix[i][j] = Math.min(l, m); } } return matrix[0][0]; } public static void dispArray2D(int[][] res) { for (int i = 0; i < res.length; i++) { for (int j = 0; j < res[i].length; j++) { System.out.print(res[i][j] + " "); // note: res[i][j] } System.out.println(); } } public static void main(String[] args) { int[][] matrix = new int[][] { {1, -4, -7, 2, 5}, {-2, 5, -8, 12, 9}, {-7, 6, 9, -6, -12}, {-1, 13, -4, 1, -6}, {8, 1, -13, -6, 3} }; System.out.println("2D matrix:"); dispArray2D(matrix); int r = calculateMinimumHP(matrix); System.out.println("minimum inputs: " + r); return; } }
.version 52 0 .class public super DungeonGame .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 27 .end linenumbertable .end code .end method .method public static calculateMinimumHP : ([[I)I .code stack 6 locals 8 L0: aload_0 L1: arraylength L2: ifle L12 L5: aload_0 L6: iconst_0 L7: aaload L8: arraylength L9: ifgt L14 .stack same L12: iconst_m1 L13: ireturn .stack same L14: aload_0 L15: arraylength L16: istore_1 L17: aload_0 L18: iconst_0 L19: aaload L20: arraylength L21: istore_2 L22: iload_1 L23: iload_2 L24: multianewarray [[I 2 L28: astore_3 L29: aload_3 L30: iload_1 L31: iconst_1 L32: isub L33: aaload L34: iload_2 L35: iconst_1 L36: isub L37: aload_0 L38: iload_1 L39: iconst_1 L40: isub L41: aaload L42: iload_2 L43: iconst_1 L44: isub L45: iaload L46: iconst_1 L47: if_icmplt L54 L50: iconst_1 L51: goto L65 .stack full locals Object [[I Integer Integer Object [[I stack Object [I Integer .end stack L54: iconst_1 L55: aload_0 L56: iload_1 L57: iconst_1 L58: isub L59: aaload L60: iload_2 L61: iconst_1 L62: isub L63: iaload L64: isub .stack full locals Object [[I Integer Integer Object [[I stack Object [I Integer Integer .end stack L65: iastore L66: iload_1 L67: iconst_2 L68: isub L69: istore 4 .stack append Integer L71: iload 4 L73: iflt L113 L76: aload_3 L77: iload 4 L79: aaload L80: iload_2 L81: iconst_1 L82: isub L83: aload_3 L84: iload 4 L86: iconst_1 L87: iadd L88: aaload L89: iload_2 L90: iconst_1 L91: isub L92: iaload L93: aload_0 L94: iload 4 L96: aaload L97: iload_2 L98: iconst_1 L99: isub L100: iaload L101: isub L102: iconst_1 L103: invokestatic Method java/lang/Math max (II)I L106: iastore L107: iinc 4 -1 L110: goto L71 .stack chop 1 L113: iload_2 L114: iconst_2 L115: isub L116: istore 4 .stack append Integer L118: iload 4 L120: iflt L160 L123: aload_3 L124: iload_1 L125: iconst_1 L126: isub L127: aaload L128: iload 4 L130: aload_3 L131: iload_1 L132: iconst_1 L133: isub L134: aaload L135: iload 4 L137: iconst_1 L138: iadd L139: iaload L140: aload_0 L141: iload_1 L142: iconst_1 L143: isub L144: aaload L145: iload 4 L147: iaload L148: isub L149: iconst_1 L150: invokestatic Method java/lang/Math max (II)I L153: iastore L154: iinc 4 -1 L157: goto L118 .stack chop 1 L160: iload_1 L161: iconst_2 L162: isub L163: istore 4 .stack append Integer L165: iload 4 L167: iflt L252 L170: iload_2 L171: iconst_2 L172: isub L173: istore 5 .stack append Integer L175: iload 5 L177: iflt L246 L180: aload_3 L181: iload 4 L183: iconst_1 L184: iadd L185: aaload L186: iload 5 L188: iaload L189: aload_0 L190: iload 4 L192: aaload L193: iload 5 L195: iaload L196: isub L197: iconst_1 L198: invokestatic Method java/lang/Math max (II)I L201: istore 6 L203: aload_3 L204: iload 4 L206: aaload L207: iload 5 L209: iconst_1 L210: iadd L211: iaload L212: aload_0 L213: iload 4 L215: aaload L216: iload 5 L218: iaload L219: isub L220: iconst_1 L221: invokestatic Method java/lang/Math max (II)I L224: istore 7 L226: aload_3 L227: iload 4 L229: aaload L230: iload 5 L232: iload 6 L234: iload 7 L236: invokestatic Method java/lang/Math min (II)I L239: iastore L240: iinc 5 -1 L243: goto L175 .stack chop 1 L246: iinc 4 -1 L249: goto L165 .stack chop 1 L252: aload_3 L253: iconst_0 L254: aaload L255: iconst_0 L256: iaload L257: ireturn L258: .linenumbertable L0 29 L12 30 L14 32 L17 33 L22 34 L29 35 L66 36 L76 37 L107 36 L113 39 L123 40 L154 39 L160 42 L170 43 L180 44 L203 45 L226 46 L240 43 L246 42 L252 49 .end linenumbertable .end code .end method .method public static dispArray2D : ([[I)V .code stack 4 locals 3 L0: iconst_0 L1: istore_1 .stack append Integer L2: iload_1 L3: aload_0 L4: arraylength L5: if_icmpge L65 L8: iconst_0 L9: istore_2 .stack append Integer L10: iload_2 L11: aload_0 L12: iload_1 L13: aaload L14: arraylength L15: if_icmpge L53 L18: getstatic Field java/lang/System out Ljava/io/PrintStream; L21: new java/lang/StringBuilder L24: dup L25: invokespecial Method java/lang/StringBuilder <init> ()V L28: aload_0 L29: iload_1 L30: aaload L31: iload_2 L32: iaload L33: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L36: ldc ' ' L38: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L41: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L44: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V L47: iinc 2 1 L50: goto L10 .stack chop 1 L53: getstatic Field java/lang/System out Ljava/io/PrintStream; L56: invokevirtual Method java/io/PrintStream println ()V L59: iinc 1 1 L62: goto L2 .stack chop 1 L65: return L66: .linenumbertable L0 53 L8 54 L18 55 L47 54 L53 57 L59 53 L65 59 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 7 locals 3 L0: iconst_5 L1: anewarray [I L4: dup L5: iconst_0 L6: iconst_5 L7: newarray int L9: dup L10: iconst_0 L11: iconst_1 L12: iastore L13: dup L14: iconst_1 L15: bipush -4 L17: iastore L18: dup L19: iconst_2 L20: bipush -7 L22: iastore L23: dup L24: iconst_3 L25: iconst_2 L26: iastore L27: dup L28: iconst_4 L29: iconst_5 L30: iastore L31: aastore L32: dup L33: iconst_1 L34: iconst_5 L35: newarray int L37: dup L38: iconst_0 L39: bipush -2 L41: iastore L42: dup L43: iconst_1 L44: iconst_5 L45: iastore L46: dup L47: iconst_2 L48: bipush -8 L50: iastore L51: dup L52: iconst_3 L53: bipush 12 L55: iastore L56: dup L57: iconst_4 L58: bipush 9 L60: iastore L61: aastore L62: dup L63: iconst_2 L64: iconst_5 L65: newarray int L67: dup L68: iconst_0 L69: bipush -7 L71: iastore L72: dup L73: iconst_1 L74: bipush 6 L76: iastore L77: dup L78: iconst_2 L79: bipush 9 L81: iastore L82: dup L83: iconst_3 L84: bipush -6 L86: iastore L87: dup L88: iconst_4 L89: bipush -12 L91: iastore L92: aastore L93: dup L94: iconst_3 L95: iconst_5 L96: newarray int L98: dup L99: iconst_0 L100: iconst_m1 L101: iastore L102: dup L103: iconst_1 L104: bipush 13 L106: iastore L107: dup L108: iconst_2 L109: bipush -4 L111: iastore L112: dup L113: iconst_3 L114: iconst_1 L115: iastore L116: dup L117: iconst_4 L118: bipush -6 L120: iastore L121: aastore L122: dup L123: iconst_4 L124: iconst_5 L125: newarray int L127: dup L128: iconst_0 L129: bipush 8 L131: iastore L132: dup L133: iconst_1 L134: iconst_1 L135: iastore L136: dup L137: iconst_2 L138: bipush -13 L140: iastore L141: dup L142: iconst_3 L143: bipush -6 L145: iastore L146: dup L147: iconst_4 L148: iconst_3 L149: iastore L150: aastore L151: astore_1 L152: getstatic Field java/lang/System out Ljava/io/PrintStream; L155: ldc '2D matrix:' L157: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L160: aload_1 L161: invokestatic Method DungeonGame dispArray2D ([[I)V L164: aload_1 L165: invokestatic Method DungeonGame calculateMinimumHP ([[I)I L168: istore_2 L169: getstatic Field java/lang/System out Ljava/io/PrintStream; L172: new java/lang/StringBuilder L175: dup L176: invokespecial Method java/lang/StringBuilder <init> ()V L179: ldc 'minimum inputs: ' L181: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L184: iload_2 L185: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L188: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L191: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L194: return L195: .linenumbertable L0 61 L152 68 L160 69 L164 70 L169 71 L194 72 .end linenumbertable .end code .end method .sourcefile 'DungeonGame.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 18:29:47 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 DungeonGame_ESTest extends DungeonGame_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { String[] stringArray0 = new String[0]; DungeonGame.main(stringArray0); DungeonGame.main(stringArray0); DungeonGame.main(stringArray0); int[][] intArray0 = new int[3][0]; int[] intArray1 = new int[8]; intArray1[0] = 32545; intArray1[1] = 0; intArray1[2] = 13212; intArray1[3] = 70669; intArray1[4] = (-8); intArray1[5] = 11887; intArray1[6] = 55436; intArray1[7] = 0; intArray0[0] = intArray1; int[] intArray2 = new int[8]; intArray2[0] = 0; intArray2[1] = (-8); intArray2[2] = 11887; intArray2[3] = 0; intArray2[4] = 13212; intArray2[5] = 0; intArray2[6] = 32545; intArray2[7] = 13212; intArray0[1] = intArray2; int[] intArray3 = new int[9]; intArray3[0] = 32545; intArray3[1] = (-63532); intArray3[2] = 0; intArray3[3] = (-8); intArray3[4] = (-8); intArray3[5] = 11887; intArray3[6] = 11887; intArray3[7] = (-8); intArray3[8] = 13212; intArray0[2] = intArray3; int int0 = DungeonGame.calculateMinimumHP(intArray0); assertEquals(1, int0); } @Test(timeout = 4000) public void test01() throws Throwable { int[][] intArray0 = new int[4][7]; int[] intArray1 = new int[1]; intArray1[0] = 13; intArray0[0] = intArray1; int[] intArray2 = new int[5]; intArray2[0] = 13; intArray2[1] = 13; intArray2[2] = 13; intArray2[3] = 13; intArray2[4] = 13; intArray0[1] = intArray2; int[] intArray3 = new int[7]; intArray3[0] = 13; intArray3[1] = 13; intArray3[2] = 13; intArray3[3] = 13; intArray3[4] = 13; intArray3[5] = 13; intArray3[6] = 13; intArray0[2] = intArray3; int[] intArray4 = new int[6]; intArray4[0] = 13; intArray4[1] = 13; intArray4[2] = 13; intArray4[3] = 13; intArray4[4] = 13; intArray4[5] = 13; intArray0[3] = intArray4; DungeonGame.calculateMinimumHP(intArray0); DungeonGame dungeonGame0 = new DungeonGame(); } @Test(timeout = 4000) public void test02() throws Throwable { int[][] intArray0 = new int[5][5]; int[] intArray1 = new int[4]; intArray1[0] = 60233; intArray1[1] = 0; intArray1[2] = (-4481); intArray1[3] = 0; intArray0[0] = intArray1; int[] intArray2 = new int[8]; intArray2[0] = 0; intArray2[1] = 0; intArray2[2] = 0; intArray2[3] = (-4481); intArray2[4] = 0; intArray2[5] = 1; intArray2[6] = (-4481); intArray2[7] = (-4481); intArray0[1] = intArray2; int[] intArray3 = new int[9]; intArray3[0] = 0; intArray3[1] = 1; intArray3[2] = 1; intArray3[3] = 1; intArray3[4] = (-4481); intArray3[5] = 1; intArray3[6] = (-4481); intArray3[7] = 1; intArray3[8] = 55641; intArray0[2] = intArray3; int[] intArray4 = new int[0]; intArray0[3] = intArray4; int[] intArray5 = new int[6]; intArray5[0] = (-4481); intArray5[1] = (-4481); intArray5[2] = (-4481); intArray5[3] = (-2665); intArray5[4] = 0; intArray5[5] = 0; intArray0[4] = intArray5; // Undeclared exception! try { DungeonGame.calculateMinimumHP(intArray0); fail("Expecting exception: ArrayIndexOutOfBoundsException"); } catch(ArrayIndexOutOfBoundsException e) { // // no message in exception (getMessage() returned null) // } } @Test(timeout = 4000) public void test03() throws Throwable { int[][] intArray0 = new int[8][1]; int[] intArray1 = new int[1]; intArray1[0] = (-1); intArray0[0] = intArray1; int[] intArray2 = new int[3]; intArray2[0] = (-1); intArray2[1] = (-1); intArray2[2] = (-45560); intArray0[1] = intArray2; int[] intArray3 = new int[9]; intArray3[0] = (-45560); intArray3[1] = (-1); intArray3[2] = (-1); intArray3[3] = (-1); intArray3[4] = (-1); intArray3[5] = (-45560); intArray3[6] = (-45560); intArray3[7] = (-1); intArray3[8] = (-45560); intArray0[2] = intArray3; int[] intArray4 = new int[8]; intArray4[0] = (-45560); intArray4[1] = (-1); intArray4[2] = (-1); intArray4[3] = (-1); intArray4[4] = (-45560); intArray4[5] = (-1); intArray4[6] = (-1); intArray4[7] = (-1); intArray0[3] = intArray4; int[] intArray5 = new int[8]; intArray5[0] = (-1); intArray5[1] = (-1); intArray5[2] = (-45560); intArray5[3] = (-45560); intArray5[4] = (-1); intArray5[5] = (-45560); intArray5[6] = (-1); intArray5[7] = (-1); intArray0[4] = intArray5; int[] intArray6 = new int[2]; intArray6[0] = (-1); intArray6[1] = (-1); intArray0[5] = intArray6; int[] intArray7 = new int[6]; intArray7[0] = (-1); intArray7[1] = (-45560); intArray7[2] = (-45560); intArray7[3] = (-1); intArray7[4] = (-23230); intArray7[5] = (-1); intArray0[6] = intArray7; int[] intArray8 = new int[5]; intArray8[0] = (-23230); intArray8[1] = (-1); intArray8[2] = (-45560); intArray8[3] = (-23230); intArray8[4] = (-6); intArray0[7] = intArray8; int int0 = DungeonGame.calculateMinimumHP(intArray0); assertEquals(114356, int0); } @Test(timeout = 4000) public void test04() throws Throwable { int[][] intArray0 = new int[4][0]; int[] intArray1 = new int[7]; intArray1[0] = (-8066); intArray1[1] = 57406; intArray1[2] = 9; intArray1[3] = 0; intArray1[4] = 0; intArray1[5] = 103599; intArray1[6] = (-26992); intArray0[0] = intArray1; int[] intArray2 = new int[3]; intArray2[0] = (-8066); intArray2[1] = (-26992); intArray2[2] = 0; intArray0[1] = intArray2; int[] intArray3 = new int[4]; intArray3[0] = 9; intArray3[1] = 0; intArray3[2] = 57406; intArray3[3] = (-67221); intArray0[2] = intArray3; int[] intArray4 = new int[0]; intArray0[3] = intArray4; // Undeclared exception! try { DungeonGame.calculateMinimumHP(intArray0); fail("Expecting exception: ArrayIndexOutOfBoundsException"); } catch(ArrayIndexOutOfBoundsException e) { // // no message in exception (getMessage() returned null) // } } @Test(timeout = 4000) public void test05() throws Throwable { int[][] intArray0 = new int[6][1]; int[] intArray1 = new int[5]; intArray1[0] = (-55484); intArray1[1] = 72124; intArray1[2] = 8; intArray1[3] = 0; intArray1[4] = 71217; intArray0[0] = intArray1; int[] intArray2 = new int[2]; intArray2[0] = 8; intArray2[1] = (-55484); intArray0[1] = intArray2; int[] intArray3 = new int[7]; intArray3[0] = 72124; intArray3[1] = 67204; intArray3[2] = 8; intArray3[3] = 4770; intArray3[4] = 2; intArray3[5] = 71217; intArray3[6] = 71217; intArray0[2] = intArray3; int[] intArray4 = new int[8]; intArray4[0] = 67204; intArray4[1] = (-30927); intArray4[2] = 72124; intArray4[3] = (-55484); intArray4[4] = (-55484); intArray4[5] = 8; intArray4[6] = 72124; intArray4[7] = 71217; intArray0[3] = intArray4; int[] intArray5 = new int[4]; intArray5[0] = 4770; intArray5[1] = 2; intArray5[2] = 2; intArray5[3] = 67204; intArray0[4] = intArray5; int[] intArray6 = new int[3]; intArray6[0] = 67204; intArray6[1] = 8; intArray6[2] = (-55484); intArray0[5] = intArray6; // Undeclared exception! try { DungeonGame.calculateMinimumHP(intArray0); fail("Expecting exception: ArrayIndexOutOfBoundsException"); } catch(ArrayIndexOutOfBoundsException e) { // // no message in exception (getMessage() returned null) // } } @Test(timeout = 4000) public void test06() throws Throwable { String[] stringArray0 = new String[0]; DungeonGame.main(stringArray0); int[][] intArray0 = new int[1][1]; int[] intArray1 = new int[5]; intArray1[0] = (-20226); intArray1[1] = (-27517); intArray1[2] = 0; intArray1[3] = 9111; intArray1[4] = 0; intArray0[0] = intArray1; DungeonGame.dispArray2D(intArray0); DungeonGame.dispArray2D(intArray0); DungeonGame.main(stringArray0); DungeonGame.calculateMinimumHP(intArray0); DungeonGame.calculateMinimumHP(intArray0); DungeonGame.main(stringArray0); int[][] intArray2 = new int[6][9]; intArray2[0] = intArray1; intArray2[1] = intArray1; intArray2[2] = intArray1; intArray2[3] = intArray1; intArray2[4] = intArray1; int[] intArray3 = new int[0]; intArray2[5] = intArray3; DungeonGame.dispArray2D(intArray2); assertEquals(6, intArray2.length); } @Test(timeout = 4000) public void test07() throws Throwable { int[][] intArray0 = new int[0][0]; DungeonGame.calculateMinimumHP(intArray0); String[] stringArray0 = new String[5]; stringArray0[0] = "minimum inputs: "; stringArray0[1] = "T}VH%1V"; stringArray0[2] = ""; stringArray0[3] = ""; stringArray0[4] = "xWd:j_m_27a\"^`cqig"; DungeonGame.main(stringArray0); DungeonGame.calculateMinimumHP(intArray0); int int0 = DungeonGame.calculateMinimumHP(intArray0); assertEquals((-1), int0); } @Test(timeout = 4000) public void test08() throws Throwable { DungeonGame.main((String[]) null); DungeonGame.main((String[]) null); int[][] intArray0 = new int[3][6]; int[] intArray1 = new int[3]; intArray1[0] = (-30994); intArray1[1] = (-16075); intArray1[2] = 8; intArray0[0] = intArray1; int[] intArray2 = new int[3]; intArray2[0] = (-16075); intArray2[1] = (-30994); intArray2[2] = 8; intArray0[1] = intArray2; int[] intArray3 = new int[2]; intArray3[0] = 8; intArray3[1] = (-16075); intArray0[2] = intArray3; // Undeclared exception! try { DungeonGame.calculateMinimumHP(intArray0); fail("Expecting exception: ArrayIndexOutOfBoundsException"); } catch(ArrayIndexOutOfBoundsException e) { // // no message in exception (getMessage() returned null) // } } @Test(timeout = 4000) public void test09() throws Throwable { DungeonGame dungeonGame0 = new DungeonGame(); int[][] intArray0 = new int[9][5]; int[] intArray1 = new int[7]; intArray1[0] = 22910; intArray1[1] = 57729; intArray1[2] = 21352; intArray1[3] = 1; intArray1[4] = 1; intArray1[5] = 57637; intArray1[6] = 0; intArray0[0] = intArray1; int[] intArray2 = new int[2]; intArray2[0] = 21352; intArray2[1] = 1; intArray0[1] = intArray2; int[] intArray3 = new int[4]; intArray3[0] = 57637; intArray3[1] = 0; intArray3[2] = 0; intArray3[3] = 21352; intArray0[2] = intArray3; int[] intArray4 = new int[5]; intArray4[0] = 1; intArray4[1] = 57637; intArray4[2] = 30948; intArray4[3] = 1; intArray4[4] = 21352; intArray0[3] = intArray4; int[] intArray5 = new int[9]; intArray5[0] = 22910; intArray5[1] = 1; intArray5[2] = (-38806); intArray5[3] = 21352; intArray5[4] = 57729; intArray5[5] = 57729; intArray5[6] = 30948; intArray5[7] = 30948; intArray5[8] = 57729; intArray0[4] = intArray5; int[] intArray6 = new int[4]; intArray6[0] = 30948; intArray6[1] = 22910; intArray6[2] = (-38806); intArray6[3] = 57729; intArray0[5] = intArray6; int[] intArray7 = new int[5]; intArray7[0] = 57729; intArray7[1] = 30948; intArray7[2] = 0; intArray7[3] = 1; intArray7[4] = (-13); intArray0[6] = intArray7; int[] intArray8 = new int[3]; intArray8[0] = 1; intArray8[1] = 1; intArray8[2] = (-66455); intArray0[7] = intArray8; int[] intArray9 = new int[4]; intArray9[0] = (-66455); intArray9[1] = 30948; intArray9[2] = (-66455); intArray9[3] = 21352; intArray0[8] = intArray9; DungeonGame.dispArray2D(intArray0); int[][] intArray10 = new int[0][8]; int int0 = DungeonGame.calculateMinimumHP(intArray10); assertEquals((-1), int0); } @Test(timeout = 4000) public void test10() throws Throwable { String[] stringArray0 = new String[5]; String string0 = "UFrFOB-OFA~pt'*"; stringArray0[0] = "UFrFOB-OFA~pt'*"; stringArray0[1] = "f|j+<*_fh}|O\"*"; String string1 = ""; stringArray0[2] = ""; String string2 = ""; stringArray0[3] = ""; String string3 = ""; stringArray0[4] = ""; DungeonGame.main(stringArray0); DungeonGame.main(stringArray0); int[][] intArray0 = new int[0][4]; DungeonGame.dispArray2D(intArray0); DungeonGame.dispArray2D(intArray0); int[][] intArrayArray0 = null; // Undeclared exception! try { DungeonGame.dispArray2D((int[][]) null); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // } } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 18:29: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 DungeonGame_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 = "DungeonGame"; 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/tmpmwd_svn6"); 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(DungeonGame_ESTest_scaffolding.class.getClassLoader() , "DungeonGame" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DungeonGame_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "DungeonGame" ); } }
1,790
SessionConstant
/** * 登录用户session所需的常量 * * @author Administrator */ public class SessionConstant { // 消息头包含的字段,保存登录用户信息 public static final String HEADER_TOKEN = "token"; }
.version 52 0 .class public super SessionConstant .super java/lang/Object .field public static final HEADER_TOKEN Ljava/lang/String; = 'token' .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 .sourcefile 'SessionConstant.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 05:49: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 SessionConstant_ESTest extends SessionConstant_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { SessionConstant sessionConstant0 = new SessionConstant(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 05:49: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 SessionConstant_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 = "SessionConstant"; 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/tmpb64r5otz"); 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(SessionConstant_ESTest_scaffolding.class.getClassLoader() , "SessionConstant" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SessionConstant_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "SessionConstant" ); } }
1,791
LeftChatItemClickEvent
/** Created by wli on 15/8/27. */ public class LeftChatItemClickEvent { public String userId; }
.version 52 0 .class public super LeftChatItemClickEvent .super java/lang/Object .field public userId 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 .sourcefile 'LeftChatItemClickEvent.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 02:44: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 LeftChatItemClickEvent_ESTest extends LeftChatItemClickEvent_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { LeftChatItemClickEvent leftChatItemClickEvent0 = new LeftChatItemClickEvent(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 02:44: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 LeftChatItemClickEvent_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 = "LeftChatItemClickEvent"; 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/tmpqdfd4nly"); 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(LeftChatItemClickEvent_ESTest_scaffolding.class.getClassLoader() , "LeftChatItemClickEvent" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(LeftChatItemClickEvent_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "LeftChatItemClickEvent" ); } }
1,792
ExternalConfigServiceRegistryException
/** * Runtime exception indicating any non-recoverable errors raised during parsing of external * resources holding registered services representations. * * @author Dmitriy Kopylenko * @since 1.0.0 */ public class ExternalConfigServiceRegistryException extends RuntimeException { public ExternalConfigServiceRegistryException(Throwable cause) { super(cause); } }
.version 52 0 .class public super ExternalConfigServiceRegistryException .super java/lang/RuntimeException .method public <init> : (Ljava/lang/Throwable;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/Throwable;)V L5: return L6: .linenumbertable L0 12 L5 13 .end linenumbertable .end code .end method .sourcefile 'ExternalConfigServiceRegistryException.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 02:38:35 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 ExternalConfigServiceRegistryException_ESTest extends ExternalConfigServiceRegistryException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { MockThrowable mockThrowable0 = new MockThrowable((Throwable) null); ExternalConfigServiceRegistryException externalConfigServiceRegistryException0 = new ExternalConfigServiceRegistryException(mockThrowable0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 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 ExternalConfigServiceRegistryException_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 = "ExternalConfigServiceRegistryException"; 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/tmpb104zau8"); 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(ExternalConfigServiceRegistryException_ESTest_scaffolding.class.getClassLoader() , "ExternalConfigServiceRegistryException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ExternalConfigServiceRegistryException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ExternalConfigServiceRegistryException" ); } }
1,793
NewGame
import java.util.Scanner; public class NewGame { public static void main(String[] args) { Scanner scanner = new Scanner(System.in); int n = scanner.nextInt(); int m = scanner.nextInt(); int p = scanner.nextInt(); int q = scanner.nextInt(); scanner.nextLine(); char[][] arr = new char[n][m]; int x = 0, y = 0; for (int i = 0; i < n; i++) { char[] chars = scanner.nextLine().toCharArray(); for (int j = 0; j < m; j++) { arr[i][j] = chars[j]; if (chars[j] == 'S') { x = i; y = j; } } } int count = 0; char[] chars = scanner.nextLine().toCharArray(); for (char ch : chars) { int temp; switch (ch) { case 'A': temp = y - 1; if (temp >= 0 && arr[x][temp] != '#') { y = temp; } break; case 'W': temp = x - 1; if (temp >= 0 && arr[temp][y] != '#') { x = temp; } break; case 'D': temp = y + 1; if (temp < n && arr[x][temp] != '#') { y = temp; } break; case 'S': temp = x + 1; if (temp < m && arr[temp][y] != '#') { x = temp; } break; /*default: temp = x + 1; if (temp < m && arr[temp][y] != '#') { x = temp; } break;*/ } if (arr[x][y] == 'O') { count += p; arr[x][y] = '+'; } else if (arr[x][y] == 'X') { count -= q; arr[x][y] = '+'; } } System.out.println(count); } }
.version 52 0 .class public super NewGame .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 4 locals 16 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: aload_1 L12: invokevirtual Method java/util/Scanner nextInt ()I L15: istore_2 L16: aload_1 L17: invokevirtual Method java/util/Scanner nextInt ()I L20: istore_3 L21: aload_1 L22: invokevirtual Method java/util/Scanner nextInt ()I L25: istore 4 L27: aload_1 L28: invokevirtual Method java/util/Scanner nextInt ()I L31: istore 5 L33: aload_1 L34: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String; L37: pop L38: iload_2 L39: iload_3 L40: multianewarray [[C 2 L44: astore 6 L46: iconst_0 L47: istore 7 L49: iconst_0 L50: istore 8 L52: iconst_0 L53: istore 9 .stack full locals Object [Ljava/lang/String; Object java/util/Scanner Integer Integer Integer Integer Object [[C Integer Integer Integer stack .end stack L55: iload 9 L57: iload_2 L58: if_icmpge L122 L61: aload_1 L62: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String; L65: invokevirtual Method java/lang/String toCharArray ()[C L68: astore 10 L70: iconst_0 L71: istore 11 .stack append Object [C Integer L73: iload 11 L75: iload_3 L76: if_icmpge L116 L79: aload 6 L81: iload 9 L83: aaload L84: iload 11 L86: aload 10 L88: iload 11 L90: caload L91: castore L92: aload 10 L94: iload 11 L96: caload L97: bipush 83 L99: if_icmpne L110 L102: iload 9 L104: istore 7 L106: iload 11 L108: istore 8 .stack same L110: iinc 11 1 L113: goto L73 .stack chop 2 L116: iinc 9 1 L119: goto L55 .stack chop 1 L122: iconst_0 L123: istore 9 L125: aload_1 L126: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String; L129: invokevirtual Method java/lang/String toCharArray ()[C L132: astore 10 L134: aload 10 L136: astore 11 L138: aload 11 L140: arraylength L141: istore 12 L143: iconst_0 L144: istore 13 .stack full locals Object [Ljava/lang/String; Object java/util/Scanner Integer Integer Integer Integer Object [[C Integer Integer Integer Object [C Object [C Integer Integer stack .end stack L146: iload 13 L148: iload 12 L150: if_icmpge L396 L153: aload 11 L155: iload 13 L157: caload L158: istore 14 L160: iload 14 L162: lookupswitch 65 : L204 68 : L266 83 : L298 87 : L235 default : L327 .stack append Integer L204: iload 8 L206: iconst_1 L207: isub L208: istore 15 L210: iload 15 L212: iflt L327 L215: aload 6 L217: iload 7 L219: aaload L220: iload 15 L222: caload L223: bipush 35 L225: if_icmpeq L327 L228: iload 15 L230: istore 8 L232: goto L327 .stack same L235: iload 7 L237: iconst_1 L238: isub L239: istore 15 L241: iload 15 L243: iflt L327 L246: aload 6 L248: iload 15 L250: aaload L251: iload 8 L253: caload L254: bipush 35 L256: if_icmpeq L327 L259: iload 15 L261: istore 7 L263: goto L327 .stack same L266: iload 8 L268: iconst_1 L269: iadd L270: istore 15 L272: iload 15 L274: iload_2 L275: if_icmpge L327 L278: aload 6 L280: iload 7 L282: aaload L283: iload 15 L285: caload L286: bipush 35 L288: if_icmpeq L327 L291: iload 15 L293: istore 8 L295: goto L327 .stack same L298: iload 7 L300: iconst_1 L301: iadd L302: istore 15 L304: iload 15 L306: iload_3 L307: if_icmpge L327 L310: aload 6 L312: iload 15 L314: aaload L315: iload 8 L317: caload L318: bipush 35 L320: if_icmpeq L327 L323: iload 15 L325: istore 7 .stack same L327: aload 6 L329: iload 7 L331: aaload L332: iload 8 L334: caload L335: bipush 79 L337: if_icmpne L360 L340: iload 9 L342: iload 4 L344: iadd L345: istore 9 L347: aload 6 L349: iload 7 L351: aaload L352: iload 8 L354: bipush 43 L356: castore L357: goto L390 .stack same L360: aload 6 L362: iload 7 L364: aaload L365: iload 8 L367: caload L368: bipush 88 L370: if_icmpne L390 L373: iload 9 L375: iload 5 L377: isub L378: istore 9 L380: aload 6 L382: iload 7 L384: aaload L385: iload 8 L387: bipush 43 L389: castore .stack chop 1 L390: iinc 13 1 L393: goto L146 .stack chop 3 L396: getstatic Field java/lang/System out Ljava/io/PrintStream; L399: iload 9 L401: invokevirtual Method java/io/PrintStream println (I)V L404: return L405: .linenumbertable L0 8 L11 9 L16 10 L21 11 L27 12 L33 13 L38 15 L46 16 L52 17 L61 18 L70 19 L79 20 L92 21 L102 22 L106 23 L110 19 L116 17 L122 27 L125 28 L134 29 L160 31 L204 33 L210 34 L228 35 L235 39 L241 40 L259 41 L266 45 L272 46 L291 47 L298 51 L304 52 L323 53 L327 64 L340 65 L347 66 L360 67 L373 68 L380 69 L390 29 L396 72 L404 73 .end linenumbertable .end code .end method .sourcefile 'NewGame.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 15:13:14 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 NewGame_ESTest extends NewGame_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { String[] stringArray0 = new String[5]; SystemInUtil.addInputLine("8"); SystemInUtil.addInputLine("8"); // Undeclared exception! try { NewGame.main(stringArray0); fail("Expecting exception: NoSuchElementException"); } catch(NoSuchElementException e) { // // no message in exception (getMessage() returned null) // verifyException("java.util.Scanner", e); } } @Test(timeout = 4000) public void test1() throws Throwable { NewGame newGame0 = new NewGame(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 15:13: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 NewGame_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 = "NewGame"; 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/tmpqteyjo38"); 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(NewGame_ESTest_scaffolding.class.getClassLoader() , "NewGame" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(NewGame_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "NewGame" ); } }
1,794
MethodNotSupportedException
public class MethodNotSupportedException extends RuntimeException { private static final long serialVersionUID = 1L; }
.version 52 0 .class public super MethodNotSupportedException .super java/lang/RuntimeException .field private static final serialVersionUID J = 1L .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/RuntimeException <init> ()V L4: return L5: .linenumbertable L0 3 .end linenumbertable .end code .end method .sourcefile 'MethodNotSupportedException.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 12:08: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 MethodNotSupportedException_ESTest extends MethodNotSupportedException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { MethodNotSupportedException methodNotSupportedException0 = new MethodNotSupportedException(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 12:08: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 MethodNotSupportedException_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 = "MethodNotSupportedException"; 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/tmpbmdy5ye8"); 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(MethodNotSupportedException_ESTest_scaffolding.class.getClassLoader() , "MethodNotSupportedException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MethodNotSupportedException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "MethodNotSupportedException" ); } }
1,795
ChordFingerDictionary
public class ChordFingerDictionary {}
.version 52 0 .class public super ChordFingerDictionary .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 'ChordFingerDictionary.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 17:32: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 ChordFingerDictionary_ESTest extends ChordFingerDictionary_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { ChordFingerDictionary chordFingerDictionary0 = new ChordFingerDictionary(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 17:32:06 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 ChordFingerDictionary_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 = "ChordFingerDictionary"; 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/tmpd2xp3n0r"); 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(ChordFingerDictionary_ESTest_scaffolding.class.getClassLoader() , "ChordFingerDictionary" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ChordFingerDictionary_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ChordFingerDictionary" ); } }
1,796
RobotStreamUtil
/** <copyright> </copyright> */ public class RobotStreamUtil { private static final int IO_BUFFER_SIZE = 4 * 1024; public static void copy(java.io.InputStream in, java.io.OutputStream out) throws java.io.IOException { byte[] b = new byte[IO_BUFFER_SIZE]; int read; while ((read = in.read(b)) != -1) { out.write(b, 0, read); } out.flush(); } public static String getContent(java.io.InputStream inputStream) throws java.io.IOException { StringBuffer content = new StringBuffer(); java.io.InputStreamReader reader = new java.io.InputStreamReader(inputStream); int next = -1; while ((next = reader.read()) >= 0) { content.append((char) next); } return content.toString(); } }
.version 52 0 .class public super RobotStreamUtil .super java/lang/Object .field private static final IO_BUFFER_SIZE I = 4096 .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 static copy : (Ljava/io/InputStream;Ljava/io/OutputStream;)V .code stack 4 locals 4 L0: sipush 4096 L3: newarray byte L5: astore_2 .stack append Object [B L6: aload_0 L7: aload_2 L8: invokevirtual Method java/io/InputStream read ([B)I L11: dup L12: istore_3 L13: iconst_m1 L14: if_icmpeq L27 L17: aload_1 L18: aload_2 L19: iconst_0 L20: iload_3 L21: invokevirtual Method java/io/OutputStream write ([BII)V L24: goto L6 .stack append Integer L27: aload_1 L28: invokevirtual Method java/io/OutputStream flush ()V L31: return L32: .linenumbertable L0 15 L6 17 L17 18 L27 20 L31 21 .end linenumbertable .end code .exceptions java/io/IOException .end method .method public static getContent : (Ljava/io/InputStream;)Ljava/lang/String; .code stack 3 locals 4 L0: new java/lang/StringBuffer L3: dup L4: invokespecial Method java/lang/StringBuffer <init> ()V L7: astore_1 L8: new java/io/InputStreamReader L11: dup L12: aload_0 L13: invokespecial Method java/io/InputStreamReader <init> (Ljava/io/InputStream;)V L16: astore_2 L17: iconst_m1 L18: istore_3 .stack append Object java/lang/StringBuffer Object java/io/InputStreamReader Integer L19: aload_2 L20: invokevirtual Method java/io/InputStreamReader read ()I L23: dup L24: istore_3 L25: iflt L38 L28: aload_1 L29: iload_3 L30: i2c L31: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L34: pop L35: goto L19 .stack same L38: aload_1 L39: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String; L42: areturn L43: .linenumbertable L0 24 L8 25 L17 26 L19 27 L28 28 L38 30 .end linenumbertable .end code .exceptions java/io/IOException .end method .sourcefile 'RobotStreamUtil.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 05:42:16 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.ByteArrayOutputStream; import java.io.DataInputStream; import java.io.EOFException; import java.io.FileDescriptor; import java.io.FilterInputStream; import java.io.IOException; import java.io.PipedInputStream; import java.io.PipedOutputStream; import java.io.PrintStream; import java.io.PushbackInputStream; 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.MockFile; import org.evosuite.runtime.mock.java.io.MockFileInputStream; import org.evosuite.runtime.mock.java.io.MockFileOutputStream; import org.evosuite.runtime.mock.java.io.MockPrintStream; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class RobotStreamUtil_ESTest extends RobotStreamUtil_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { byte[] byteArray0 = new byte[7]; byteArray0[0] = (byte)1; byteArray0[1] = (byte) (-26); byteArray0[2] = (byte)0; byteArray0[3] = (byte)1; byteArray0[4] = (byte)0; byteArray0[5] = (byte) (-1); byteArray0[6] = (byte)1; ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0); String string0 = RobotStreamUtil.getContent(byteArrayInputStream0); assertEquals("\u0001\uFFFD\u0000\u0001\u0000\uFFFD\u0001", string0); } @Test(timeout = 4000) public void test01() throws Throwable { byte[] byteArray0 = new byte[1]; byteArray0[0] = (byte) (-34); ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0); SequenceInputStream sequenceInputStream0 = new SequenceInputStream(byteArrayInputStream0, byteArrayInputStream0); PushbackInputStream pushbackInputStream0 = new PushbackInputStream(sequenceInputStream0); MockFile mockFile0 = new MockFile("I-7B6L1ylQR-?!F:*rH", "I-7B6L1ylQR-?!F:*rH"); MockFileOutputStream mockFileOutputStream0 = new MockFileOutputStream(mockFile0, true); RobotStreamUtil.copy(pushbackInputStream0, mockFileOutputStream0); assertEquals(1L, mockFile0.length()); } @Test(timeout = 4000) public void test02() throws Throwable { byte[] byteArray0 = new byte[8]; byteArray0[0] = (byte)37; byteArray0[1] = (byte)0; byteArray0[2] = (byte) (-1); byteArray0[3] = (byte)40; byteArray0[4] = (byte) (-1); byteArray0[5] = (byte)113; byteArray0[6] = (byte) (-1); byteArray0[7] = (byte)0; ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0); String string0 = null; MockFile mockFile0 = null; try { mockFile0 = new MockFile((String) null); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // verifyException("java.io.File", e); } } @Test(timeout = 4000) public void test03() throws Throwable { RobotStreamUtil robotStreamUtil0 = new RobotStreamUtil(); PipedInputStream pipedInputStream0 = new PipedInputStream(36870); PipedOutputStream pipedOutputStream0 = new PipedOutputStream(pipedInputStream0); PipedInputStream pipedInputStream1 = null; try { pipedInputStream1 = new PipedInputStream(pipedOutputStream0); fail("Expecting exception: IOException"); } catch(Throwable e) { // // Already connected // verifyException("java.io.PipedOutputStream", e); } } @Test(timeout = 4000) public void test04() throws Throwable { RobotStreamUtil robotStreamUtil0 = new RobotStreamUtil(); Enumeration<FilterInputStream> enumeration0 = (Enumeration<FilterInputStream>) mock(Enumeration.class, new ViolatedAssumptionAnswer()); doReturn(false).when(enumeration0).hasMoreElements(); SequenceInputStream sequenceInputStream0 = new SequenceInputStream(enumeration0); sequenceInputStream0.mark((-29295)); MockFile mockFile0 = new MockFile("z?'m#", "z?'m#"); MockFile mockFile1 = new MockFile(mockFile0, "z?'m#"); MockPrintStream mockPrintStream0 = new MockPrintStream(mockFile1); PrintStream printStream0 = mockPrintStream0.append((CharSequence) "z?'m#"); mockFile0.getAbsolutePath(); RobotStreamUtil.copy(sequenceInputStream0, printStream0); RobotStreamUtil.copy(sequenceInputStream0, mockPrintStream0); RobotStreamUtil.copy(sequenceInputStream0, printStream0); RobotStreamUtil.copy(sequenceInputStream0, mockPrintStream0); RobotStreamUtil.getContent(sequenceInputStream0); RobotStreamUtil.copy(sequenceInputStream0, mockPrintStream0); RobotStreamUtil.getContent(sequenceInputStream0); PipedInputStream pipedInputStream0 = null; try { pipedInputStream0 = new PipedInputStream((-29295)); fail("Expecting exception: IllegalArgumentException"); } catch(IllegalArgumentException e) { // // Pipe Size <= 0 // verifyException("java.io.PipedInputStream", e); } } @Test(timeout = 4000) public void test05() throws Throwable { Enumeration<FilterInputStream> enumeration0 = (Enumeration<FilterInputStream>) mock(Enumeration.class, new ViolatedAssumptionAnswer()); doReturn(false).when(enumeration0).hasMoreElements(); SequenceInputStream sequenceInputStream0 = new SequenceInputStream(enumeration0); BufferedInputStream bufferedInputStream0 = new BufferedInputStream(sequenceInputStream0); ByteArrayOutputStream byteArrayOutputStream0 = new ByteArrayOutputStream(0); byte[] byteArray0 = new byte[2]; byteArray0[0] = (byte)21; byteArray0[1] = (byte)100; // Undeclared exception! try { byteArrayOutputStream0.write(byteArray0, (int) (byte)100, 0); fail("Expecting exception: IndexOutOfBoundsException"); } catch(IndexOutOfBoundsException e) { // // no message in exception (getMessage() returned null) // verifyException("java.io.ByteArrayOutputStream", e); } } @Test(timeout = 4000) public void test06() throws Throwable { PipedOutputStream pipedOutputStream0 = new PipedOutputStream(); byte[] byteArray0 = new byte[0]; try { pipedOutputStream0.write(byteArray0); fail("Expecting exception: IOException"); } catch(IOException e) { // // Pipe not connected // verifyException("java.io.PipedOutputStream", e); } } @Test(timeout = 4000) public void test07() throws Throwable { FileDescriptor fileDescriptor0 = new FileDescriptor(); MockFileInputStream mockFileInputStream0 = new MockFileInputStream(fileDescriptor0); BufferedInputStream bufferedInputStream0 = new BufferedInputStream(mockFileInputStream0); try { mockFileInputStream0.reset(); fail("Expecting exception: IOException"); } catch(IOException e) { // // mark/reset not supported // verifyException("java.io.InputStream", e); } } @Test(timeout = 4000) public void test08() throws Throwable { byte[] byteArray0 = new byte[4]; byteArray0[0] = (byte)1; byteArray0[1] = (byte) (-66); byteArray0[2] = (byte) (-92); byteArray0[3] = (byte)51; ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0, (byte)51, (-54563)); DataInputStream dataInputStream0 = new DataInputStream(byteArrayInputStream0); try { dataInputStream0.readUnsignedShort(); fail("Expecting exception: EOFException"); } catch(EOFException e) { // // no message in exception (getMessage() returned null) // verifyException("java.io.DataInputStream", e); } } @Test(timeout = 4000) public void test09() throws Throwable { MockFile mockFile0 = null; try { mockFile0 = new MockFile((String) null); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // verifyException("java.io.File", e); } } @Test(timeout = 4000) public void test10() throws Throwable { RobotStreamUtil robotStreamUtil0 = new RobotStreamUtil(); int int0 = 0; ByteArrayInputStream byteArrayInputStream0 = null; try { byteArrayInputStream0 = new ByteArrayInputStream((byte[]) null, 30005, 0); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // verifyException("java.io.ByteArrayInputStream", e); } } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 05:42: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 static org.evosuite.shaded.org.mockito.Mockito.*; @EvoSuiteClassExclude public class RobotStreamUtil_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 = "RobotStreamUtil"; 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/tmptc1xdog9"); 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(RobotStreamUtil_ESTest_scaffolding.class.getClassLoader() , "RobotStreamUtil" ); } private static void initMocksToAvoidTimeoutsInTheTests() throws ClassNotFoundException { mock(Class.forName("java.util.Enumeration", false, RobotStreamUtil_ESTest_scaffolding.class.getClassLoader())); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RobotStreamUtil_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "RobotStreamUtil" ); } }
1,797
Utils
import java.io.Closeable; import java.io.IOException; /** * @author Ztiany Email [email protected] Date 2018/10/27 16:32 */ class Utils { static void close(Closeable bufferedInputStream) { if (bufferedInputStream != null) { try { bufferedInputStream.close(); } catch (IOException e) { e.printStackTrace(); } } } }
.version 52 0 .class super Utils .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 11 .end linenumbertable .end code .end method .method static close : (Ljava/io/Closeable;)V .code stack 1 locals 2 L0: aload_0 L1: ifnull L18 .catch java/io/IOException from L4 to L10 using L13 L4: aload_0 L5: invokeinterface InterfaceMethod java/io/Closeable close ()V 1 L10: goto L18 .stack stack_1 Object java/io/IOException L13: astore_1 L14: aload_1 L15: invokevirtual Method java/io/IOException printStackTrace ()V .stack same L18: return L19: .linenumbertable L0 14 L4 16 L10 19 L13 17 L14 18 L18 21 .end linenumbertable .end code .end method .sourcefile 'Utils.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 16:40:07 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.shaded.org.mockito.Mockito.*; import java.io.BufferedOutputStream; import java.io.Closeable; import java.io.DataInputStream; import java.io.InputStream; 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.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 { PipedOutputStream pipedOutputStream0 = new PipedOutputStream(); BufferedOutputStream bufferedOutputStream0 = new BufferedOutputStream(pipedOutputStream0, 37772); byte[] byteArray0 = new byte[9]; bufferedOutputStream0.write(byteArray0); Utils.close(bufferedOutputStream0); } @Test(timeout = 4000) public void test1() throws Throwable { Enumeration<InputStream> enumeration0 = (Enumeration<InputStream>) mock(Enumeration.class, new ViolatedAssumptionAnswer()); doReturn(false, false).when(enumeration0).hasMoreElements(); SequenceInputStream sequenceInputStream0 = new SequenceInputStream(enumeration0); DataInputStream dataInputStream0 = new DataInputStream(sequenceInputStream0); Utils.close(dataInputStream0); } @Test(timeout = 4000) public void test2() throws Throwable { Utils.close((Closeable) null); } @Test(timeout = 4000) public void test3() 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 16:40:07 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 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(); 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/tmpcgw6e2nh"); 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 initMocksToAvoidTimeoutsInTheTests() throws ClassNotFoundException { mock(Class.forName("java.util.Enumeration", false, Utils_ESTest_scaffolding.class.getClassLoader())); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Utils_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Utils" ); } }
1,798
MarkAndToys
import java.io.*; import java.math.*; import java.text.*; import java.util.*; import java.util.regex.*; public class MarkAndToys { static int[] merge(int[] a, int lo, int mid, int hi) { int n = a.length; int aux[] = new int[n]; for (int k = lo; k <= hi; k++) aux[k] = a[k]; int i = lo, j = mid + 1; for (int k = lo; k <= hi; k++) { if (i > mid) a[k] = aux[j++]; else if (j > hi) a[k] = aux[i++]; else if (aux[j] < aux[i]) a[k] = aux[j++]; else a[k] = aux[i++]; } return a; } static int[] mergeSort(int[] p, int l, int h) { if (h <= l) return p; int m = l + (h - l) / 2; p = mergeSort(p, l, m); p = mergeSort(p, m + 1, h); p = merge(p, l, m, h); return p; } static int compute(int x, int[] p) { int n = p.length; p = mergeSort(p, 0, n - 1); /*for(int i=0;i<n;i++){ System.out.print(p[i]+" "); }*/ int count = 0; long sum = 0; for (int i = 0; i < p.length && sum < x && p[i] <= x; i++, count++) { sum += p[i]; // System.out.println("with "+p[i]+" sum is "+sum); } if (sum > x) return count - 1; else return count; } public static void main(String[] args) { Scanner stdin = new Scanner(System.in); int n = stdin.nextInt(), k = stdin.nextInt(); int prices[] = new int[n]; for (int i = 0; i < n; i++) prices[i] = stdin.nextInt(); int answer = compute(k, prices); // Compute the final answer from n,k,prices System.out.println(answer); } }
.version 52 0 .class public super MarkAndToys .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 static merge : ([IIII)[I .code stack 4 locals 9 L0: aload_0 L1: arraylength L2: istore 4 L4: iload 4 L6: newarray int L8: astore 5 L10: iload_1 L11: istore 6 .stack append Integer Object [I Integer L13: iload 6 L15: iload_3 L16: if_icmpgt L34 L19: aload 5 L21: iload 6 L23: aload_0 L24: iload 6 L26: iaload L27: iastore L28: iinc 6 1 L31: goto L13 .stack chop 1 L34: iload_1 L35: istore 6 L37: iload_2 L38: iconst_1 L39: iadd L40: istore 7 L42: iload_1 L43: istore 8 .stack append Integer Integer Integer L45: iload 8 L47: iload_3 L48: if_icmpgt L139 L51: iload 6 L53: iload_2 L54: if_icmple L72 L57: aload_0 L58: iload 8 L60: aload 5 L62: iload 7 L64: iinc 7 1 L67: iaload L68: iastore L69: goto L133 .stack same L72: iload 7 L74: iload_3 L75: if_icmple L93 L78: aload_0 L79: iload 8 L81: aload 5 L83: iload 6 L85: iinc 6 1 L88: iaload L89: iastore L90: goto L133 .stack same L93: aload 5 L95: iload 7 L97: iaload L98: aload 5 L100: iload 6 L102: iaload L103: if_icmpge L121 L106: aload_0 L107: iload 8 L109: aload 5 L111: iload 7 L113: iinc 7 1 L116: iaload L117: iastore L118: goto L133 .stack same L121: aload_0 L122: iload 8 L124: aload 5 L126: iload 6 L128: iinc 6 1 L131: iaload L132: iastore .stack same L133: iinc 8 1 L136: goto L45 .stack chop 1 L139: aload_0 L140: areturn L141: .linenumbertable L0 9 L4 10 L10 11 L19 12 L28 11 L34 13 L42 14 L51 16 L72 17 L93 18 L121 19 L133 14 L139 21 .end linenumbertable .end code .end method .method static mergeSort : ([III)[I .code stack 4 locals 4 L0: iload_2 L1: iload_1 L2: if_icmpgt L7 L5: aload_0 L6: areturn .stack same L7: iload_1 L8: iload_2 L9: iload_1 L10: isub L11: iconst_2 L12: idiv L13: iadd L14: istore_3 L15: aload_0 L16: iload_1 L17: iload_3 L18: invokestatic Method MarkAndToys mergeSort ([III)[I L21: astore_0 L22: aload_0 L23: iload_3 L24: iconst_1 L25: iadd L26: iload_2 L27: invokestatic Method MarkAndToys mergeSort ([III)[I L30: astore_0 L31: aload_0 L32: iload_1 L33: iload_3 L34: iload_2 L35: invokestatic Method MarkAndToys merge ([IIII)[I L38: astore_0 L39: aload_0 L40: areturn L41: .linenumbertable L0 24 L7 25 L15 26 L22 27 L31 28 L39 29 .end linenumbertable .end code .end method .method static compute : (I[I)I .code stack 4 locals 7 L0: aload_1 L1: arraylength L2: istore_2 L3: aload_1 L4: iconst_0 L5: iload_2 L6: iconst_1 L7: isub L8: invokestatic Method MarkAndToys mergeSort ([III)[I L11: astore_1 L12: iconst_0 L13: istore_3 L14: lconst_0 L15: lstore 4 L17: iconst_0 L18: istore 6 .stack full locals Integer Object [I Integer Integer Long Integer stack .end stack L20: iload 6 L22: aload_1 L23: arraylength L24: if_icmpge L62 L27: lload 4 L29: iload_0 L30: i2l L31: lcmp L32: ifge L62 L35: aload_1 L36: iload 6 L38: iaload L39: iload_0 L40: if_icmpgt L62 L43: lload 4 L45: aload_1 L46: iload 6 L48: iaload L49: i2l L50: ladd L51: lstore 4 L53: iinc 6 1 L56: iinc 3 1 L59: goto L20 .stack chop 1 L62: lload 4 L64: iload_0 L65: i2l L66: lcmp L67: ifle L74 L70: iload_3 L71: iconst_1 L72: isub L73: ireturn .stack same L74: iload_3 L75: ireturn L76: .linenumbertable L0 32 L3 33 L12 38 L14 39 L17 40 L43 41 L53 40 L62 44 L74 46 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 3 locals 6 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: aload_1 L12: invokevirtual Method java/util/Scanner nextInt ()I L15: istore_2 L16: aload_1 L17: invokevirtual Method java/util/Scanner nextInt ()I L20: istore_3 L21: iload_2 L22: newarray int L24: astore 4 L26: iconst_0 L27: istore 5 .stack full locals Object [Ljava/lang/String; Object java/util/Scanner Integer Integer Object [I Integer stack .end stack L29: iload 5 L31: iload_2 L32: if_icmpge L50 L35: aload 4 L37: iload 5 L39: aload_1 L40: invokevirtual Method java/util/Scanner nextInt ()I L43: iastore L44: iinc 5 1 L47: goto L29 .stack chop 1 L50: iload_3 L51: aload 4 L53: invokestatic Method MarkAndToys compute (I[I)I L56: istore 5 L58: getstatic Field java/lang/System out Ljava/io/PrintStream; L61: iload 5 L63: invokevirtual Method java/io/PrintStream println (I)V L66: return L67: .linenumbertable L0 49 L11 50 L21 51 L26 52 L50 54 L58 56 L66 57 .end linenumbertable .end code .end method .sourcefile 'MarkAndToys.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 11:55:20 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 MarkAndToys_ESTest extends MarkAndToys_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { MarkAndToys markAndToys0 = new MarkAndToys(); String[] stringArray0 = new String[9]; stringArray0[0] = "WLaVZ"; stringArray0[1] = ""; stringArray0[2] = ""; stringArray0[3] = ""; stringArray0[4] = ""; stringArray0[5] = "K1P<WL"; stringArray0[6] = "!D15t*`[^lK'q^[&"; stringArray0[7] = ""; stringArray0[8] = "GrK-*S&{A]RzfJ8{"; // Undeclared exception! try { MarkAndToys.main(stringArray0); fail("Expecting exception: NoSuchElementException"); } catch(NoSuchElementException e) { // // no message in exception (getMessage() returned null) // verifyException("java.util.Scanner", e); } } @Test(timeout = 4000) public void test1() throws Throwable { int[] intArray0 = new int[0]; int int0 = 1; MarkAndToys.mergeSort(intArray0, 1, 1); String[] stringArray0 = new String[1]; stringArray0[0] = "uF"; // Undeclared exception! try { MarkAndToys.main(stringArray0); fail("Expecting exception: NoSuchElementException"); } catch(NoSuchElementException e) { // // no message in exception (getMessage() returned null) // verifyException("java.util.Scanner", e); } } @Test(timeout = 4000) public void test2() throws Throwable { int[] intArray0 = new int[7]; intArray0[0] = 0; intArray0[1] = 0; intArray0[2] = 0; intArray0[3] = 0; intArray0[4] = 0; intArray0[5] = 0; intArray0[6] = 0; MarkAndToys.compute(0, intArray0); MarkAndToys.compute((-69780), intArray0); String[] stringArray0 = new String[2]; stringArray0[0] = "MarkAndToys"; stringArray0[1] = "RgIWnvaJ"; // Undeclared exception! try { MarkAndToys.main(stringArray0); fail("Expecting exception: NoSuchElementException"); } catch(NoSuchElementException e) { // // no message in exception (getMessage() returned null) // verifyException("java.util.Scanner", e); } } @Test(timeout = 4000) public void test3() throws Throwable { int[] intArray0 = new int[9]; intArray0[0] = 56828; intArray0[1] = (-98422); intArray0[2] = 0; intArray0[3] = 40054; intArray0[4] = 16646; intArray0[5] = 0; intArray0[6] = 0; intArray0[7] = 69535; intArray0[8] = (-80021); MarkAndToys.merge(intArray0, 0, 40054, (-78464)); String[] stringArray0 = new String[3]; stringArray0[0] = ""; stringArray0[1] = ""; stringArray0[2] = ""; // Undeclared exception! try { MarkAndToys.main(stringArray0); fail("Expecting exception: NoSuchElementException"); } catch(NoSuchElementException e) { // // no message in exception (getMessage() returned null) // verifyException("java.util.Scanner", e); } } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 11: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 MarkAndToys_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 = "MarkAndToys"; 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/tmpornydlt6"); 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(MarkAndToys_ESTest_scaffolding.class.getClassLoader() , "MarkAndToys" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MarkAndToys_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "MarkAndToys" ); } }
1,799