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
|
---|---|---|---|---|---|
SolutionFactorial | import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.math.BigInteger;
/*
* FACTORIAL
*
* n factorial (written as n!) is the number we get when we multiply every positive number from 1 up to n together. In this problem, your code will do the grunt work of computing the factorial.
*
* Problem Statement
* Write a program that, given a number n from STDIN, prints out the factorial of n to STDOUT:
*
* If n is 0, n factorial is 1
* n! is not defined for negative numbers.
* Example 1:
*
* 3! = 3 × 2 × 1 = 6
* So given the input 3, your program should output:
*
* 6
* Example 2:
*
* 7! = 7 × 6 × 5 × 4 × 3 × 2 × 1 = 5040
* So given the input 7, your program should output:
*
* 5040
* What are factorials good for?
* Factorials can be used to calculate the number of permutations of a given set. Think—if there are 3 letters—A, B, and C, they can be arranged as: ABC, ACB, BAC, BCA, CAB, or CBA. That's 6 options because A can be put in 3 different slots, B has 2 choices left after A is placed, and C has only one option left after A and B have been placed. That is 3×2×1 = 6 choices.
*
* More generally, if there are three objects, and we want to find out how many different ways there are to arrange (or select them), for the first object, there are 3 choices, for the second object, there are only two choices left as the first object has already been chosen, and finally, for the third object, there is only one position left.
*
* So using what we know about factorials, we know that there are 6 options for arranging 3 items. 3! is equivalent to 3×2×1, or 6.
*
* To dig a bit deeper in to factorials and their role in permutations and combinations (which occasionally come up in interviews), check out this article and its practice problems.
*
* Hints
* The factorial function grows very fast. There are 3,628,800 ways to arrange 10 items.
*
* This problem can be solved in an imperative style using loops—or in a functional style, using recursion. If you write a recursive solution, its worth reading up on tail-call optimization or watching the Coding for Interviews course lecture on recursion before if your solution's stack level goes too deep
*
* For help on reading from STDIN, see the HackerRank environment help page under the "Sample Problem Statement" section.
*/
public class SolutionFactorial {
public static void main(String[] args) {
/* Enter your code here. Read input from STDIN. Print output to STDOUT. Your class should be named Solution. */
/*Read input*/
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
String number = null;
BigInteger numberBigInteger = null;
try {
number = br.readLine();
} catch (IOException e) {
System.out.println("Error reading line" + e);
return;
}
try {
numberBigInteger = new BigInteger(number);
} catch (NumberFormatException e) {
System.out.println("Error parsing line" + e);
return;
}
SolutionFactorial sol = new SolutionFactorial();
System.out.println(sol.factorial(numberBigInteger));
}
public BigInteger factorial(BigInteger number) {
if (number.equals(BigInteger.ZERO) || number.equals(BigInteger.ONE)) return BigInteger.ONE;
return number.multiply(factorial(number.subtract(BigInteger.ONE)));
}
}
| .version 52 0
.class public super SolutionFactorial
.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 47
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 5 locals 5
L0: new java/io/BufferedReader
L3: dup
L4: new java/io/InputStreamReader
L7: dup
L8: getstatic Field java/lang/System in Ljava/io/InputStream;
L11: invokespecial Method java/io/InputStreamReader <init> (Ljava/io/InputStream;)V
L14: invokespecial Method java/io/BufferedReader <init> (Ljava/io/Reader;)V
L17: astore_1
L18: aconst_null
L19: astore_2
L20: aconst_null
L21: astore_3
.catch java/io/IOException from L22 to L27 using L30
L22: aload_1
L23: invokevirtual Method java/io/BufferedReader readLine ()Ljava/lang/String;
L26: astore_2
L27: goto L59
.stack full
locals Object [Ljava/lang/String; Object java/io/BufferedReader Object java/lang/String Object java/math/BigInteger
stack Object java/io/IOException
.end stack
L30: astore 4
L32: getstatic Field java/lang/System out Ljava/io/PrintStream;
L35: new java/lang/StringBuilder
L38: dup
L39: invokespecial Method java/lang/StringBuilder <init> ()V
L42: ldc 'Error reading line'
L44: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L47: aload 4
L49: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L52: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L55: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L58: return
.catch java/lang/NumberFormatException from L59 to L68 using L71
.stack same
L59: new java/math/BigInteger
L62: dup
L63: aload_2
L64: invokespecial Method java/math/BigInteger <init> (Ljava/lang/String;)V
L67: astore_3
L68: goto L100
.stack stack_1 Object java/lang/NumberFormatException
L71: astore 4
L73: getstatic Field java/lang/System out Ljava/io/PrintStream;
L76: new java/lang/StringBuilder
L79: dup
L80: invokespecial Method java/lang/StringBuilder <init> ()V
L83: ldc 'Error parsing line'
L85: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L88: aload 4
L90: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L93: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L96: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L99: return
.stack same
L100: new SolutionFactorial
L103: dup
L104: invokespecial Method SolutionFactorial <init> ()V
L107: astore 4
L109: getstatic Field java/lang/System out Ljava/io/PrintStream;
L112: aload 4
L114: aload_3
L115: invokevirtual Method SolutionFactorial factorial (Ljava/math/BigInteger;)Ljava/math/BigInteger;
L118: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V
L121: return
L122:
.linenumbertable
L0 54
L18 56
L20 57
L22 59
L27 63
L30 60
L32 61
L58 62
L59 65
L68 69
L71 66
L73 67
L99 68
L100 70
L109 71
L121 73
.end linenumbertable
.end code
.end method
.method public factorial : (Ljava/math/BigInteger;)Ljava/math/BigInteger;
.code stack 4 locals 2
L0: aload_1
L1: getstatic Field java/math/BigInteger ZERO Ljava/math/BigInteger;
L4: invokevirtual Method java/math/BigInteger equals (Ljava/lang/Object;)Z
L7: ifne L20
L10: aload_1
L11: getstatic Field java/math/BigInteger ONE Ljava/math/BigInteger;
L14: invokevirtual Method java/math/BigInteger equals (Ljava/lang/Object;)Z
L17: ifeq L24
.stack same
L20: getstatic Field java/math/BigInteger ONE Ljava/math/BigInteger;
L23: areturn
.stack same
L24: aload_1
L25: aload_0
L26: aload_1
L27: getstatic Field java/math/BigInteger ONE Ljava/math/BigInteger;
L30: invokevirtual Method java/math/BigInteger subtract (Ljava/math/BigInteger;)Ljava/math/BigInteger;
L33: invokevirtual Method SolutionFactorial factorial (Ljava/math/BigInteger;)Ljava/math/BigInteger;
L36: invokevirtual Method java/math/BigInteger multiply (Ljava/math/BigInteger;)Ljava/math/BigInteger;
L39: areturn
L40:
.linenumbertable
L0 76
L20 77
L24 78
.end linenumbertable
.end code
.end method
.sourcefile 'SolutionFactorial.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 21:44:46 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
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 SolutionFactorial_ESTest extends SolutionFactorial_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
SolutionFactorial solutionFactorial0 = new SolutionFactorial();
BigInteger bigInteger0 = BigInteger.TEN;
BigInteger bigInteger1 = solutionFactorial0.factorial(bigInteger0);
assertEquals((byte)0, bigInteger1.byteValue());
}
@Test(timeout = 4000)
public void test1() throws Throwable {
SolutionFactorial solutionFactorial0 = new SolutionFactorial();
BigInteger bigInteger0 = BigInteger.ONE;
BigInteger bigInteger1 = solutionFactorial0.factorial(bigInteger0);
assertSame(bigInteger1, bigInteger0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
String[] stringArray0 = new String[7];
// Undeclared exception!
try {
SolutionFactorial.main(stringArray0);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("java.math.BigInteger", e);
}
}
@Test(timeout = 4000)
public void test3() throws Throwable {
SolutionFactorial solutionFactorial0 = new SolutionFactorial();
BigInteger bigInteger0 = BigInteger.ZERO;
BigInteger bigInteger1 = solutionFactorial0.factorial(bigInteger0);
assertEquals((short)1, bigInteger1.shortValue());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 21:44: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 SolutionFactorial_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 = "SolutionFactorial";
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/tmp5sj4dhxa");
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(SolutionFactorial_ESTest_scaffolding.class.getClassLoader() ,
"SolutionFactorial"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SolutionFactorial_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"SolutionFactorial"
);
}
}
| 1,400 |
DummySocket | /*
* This file is part of DrFTPD, Distributed FTP Daemon.
*
* DrFTPD 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.
*
* DrFTPD 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 DrFTPD; if not, write to the Free Software
* Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
*/
import java.io.ByteArrayOutputStream;
import java.io.IOException;
import java.io.InputStream;
import java.io.OutputStream;
import java.net.*;
import java.nio.channels.SocketChannel;
/**
* @author mog
* @version $Id$
*/
public class DummySocket extends Socket {
private final ByteArrayOutputStream _out = new ByteArrayOutputStream();
public DummySocket() {}
public DummySocket(SocketImpl impl) {
throw new UnsupportedOperationException();
}
public DummySocket(String host, int port) {
throw new UnsupportedOperationException();
}
public DummySocket(InetAddress address, int port) {
throw new UnsupportedOperationException();
}
public DummySocket(String host, int port, InetAddress localAddr, int localPort) {
throw new UnsupportedOperationException();
}
public DummySocket(InetAddress address, int port, InetAddress localAddr, int localPort) {
throw new UnsupportedOperationException();
}
public DummySocket(String host, int port, boolean stream) {
throw new UnsupportedOperationException();
}
public DummySocket(InetAddress host, int port, boolean stream) {
throw new UnsupportedOperationException();
}
public ByteArrayOutputStream getByteArrayOutputStream() {
return _out;
}
/** */
public void bind(SocketAddress bindpoint) throws IOException {
throw new UnsupportedOperationException();
}
public synchronized void close() throws IOException {}
/** */
public void connect(SocketAddress endpoint, int timeout) throws IOException {
throw new UnsupportedOperationException();
}
public void connect(SocketAddress endpoint) throws IOException {}
/** */
public SocketChannel getChannel() {
throw new UnsupportedOperationException();
}
/** */
public InetAddress getInetAddress() {
return getLocalAddress();
}
/** */
public InputStream getInputStream() throws IOException {
throw new UnsupportedOperationException();
}
/** */
public boolean getKeepAlive() throws SocketException {
throw new UnsupportedOperationException();
}
/** */
public void setKeepAlive(boolean on) throws SocketException {
throw new UnsupportedOperationException();
}
public InetAddress getLocalAddress() {
try {
return InetAddress.getByName("127.0.0.1");
} catch (UnknownHostException e) {
throw new RuntimeException(e);
}
}
/** */
public int getLocalPort() {
throw new UnsupportedOperationException();
}
/** */
public SocketAddress getLocalSocketAddress() {
throw new UnsupportedOperationException();
}
/** */
public boolean getOOBInline() throws SocketException {
throw new UnsupportedOperationException();
}
/** */
public void setOOBInline(boolean on) throws SocketException {
throw new UnsupportedOperationException();
}
/** */
public OutputStream getOutputStream() throws IOException {
return _out;
}
/** */
public int getPort() {
throw new UnsupportedOperationException();
}
/** */
public synchronized int getReceiveBufferSize() throws SocketException {
throw new UnsupportedOperationException();
}
/** */
public synchronized void setReceiveBufferSize(int size) throws SocketException {
throw new UnsupportedOperationException();
}
/** */
public SocketAddress getRemoteSocketAddress() {
throw new UnsupportedOperationException();
}
/** */
public boolean getReuseAddress() throws SocketException {
throw new UnsupportedOperationException();
}
/** */
public void setReuseAddress(boolean on) throws SocketException {
throw new UnsupportedOperationException();
}
/** */
public synchronized int getSendBufferSize() throws SocketException {
throw new UnsupportedOperationException();
}
/** */
public synchronized void setSendBufferSize(int size) throws SocketException {
throw new UnsupportedOperationException();
}
/** */
public int getSoLinger() throws SocketException {
throw new UnsupportedOperationException();
}
/** */
public synchronized int getSoTimeout() throws SocketException {
throw new UnsupportedOperationException();
}
/** */
public synchronized void setSoTimeout(int timeout) throws SocketException {}
/** */
public boolean getTcpNoDelay() throws SocketException {
throw new UnsupportedOperationException();
}
/** */
public void setTcpNoDelay(boolean on) throws SocketException {
throw new UnsupportedOperationException();
}
/** */
public int getTrafficClass() throws SocketException {
throw new UnsupportedOperationException();
}
/** */
public void setTrafficClass(int tc) throws SocketException {
throw new UnsupportedOperationException();
}
/** */
public boolean isBound() {
throw new UnsupportedOperationException();
}
/** */
public boolean isClosed() {
throw new UnsupportedOperationException();
}
/** */
public boolean isConnected() {
throw new UnsupportedOperationException();
}
/** */
public boolean isInputShutdown() {
throw new UnsupportedOperationException();
}
/** */
public boolean isOutputShutdown() {
throw new UnsupportedOperationException();
}
/** */
public void sendUrgentData(int data) throws IOException {
throw new UnsupportedOperationException();
}
/** */
public void setSoLinger(boolean on, int linger) throws SocketException {
throw new UnsupportedOperationException();
}
/** */
public void shutdownInput() throws IOException {
throw new UnsupportedOperationException();
}
/** */
public void shutdownOutput() throws IOException {
throw new UnsupportedOperationException();
}
}
| .version 52 0
.class public super DummySocket
.super java/net/Socket
.field private final _out Ljava/io/ByteArrayOutputStream;
.method public <init> : ()V
.code stack 3 locals 1
L0: aload_0
L1: invokespecial Method java/net/Socket <init> ()V
L4: aload_0
L5: new java/io/ByteArrayOutputStream
L8: dup
L9: invokespecial Method java/io/ByteArrayOutputStream <init> ()V
L12: putfield Field DummySocket _out Ljava/io/ByteArrayOutputStream;
L15: return
L16:
.linenumbertable
L0 35
L4 33
L15 36
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/net/SocketImpl;)V
.code stack 3 locals 2
L0: aload_0
L1: invokespecial Method java/net/Socket <init> ()V
L4: aload_0
L5: new java/io/ByteArrayOutputStream
L8: dup
L9: invokespecial Method java/io/ByteArrayOutputStream <init> ()V
L12: putfield Field DummySocket _out Ljava/io/ByteArrayOutputStream;
L15: new java/lang/UnsupportedOperationException
L18: dup
L19: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L22: athrow
L23:
.linenumbertable
L0 38
L4 33
L15 39
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;I)V
.code stack 3 locals 3
L0: aload_0
L1: invokespecial Method java/net/Socket <init> ()V
L4: aload_0
L5: new java/io/ByteArrayOutputStream
L8: dup
L9: invokespecial Method java/io/ByteArrayOutputStream <init> ()V
L12: putfield Field DummySocket _out Ljava/io/ByteArrayOutputStream;
L15: new java/lang/UnsupportedOperationException
L18: dup
L19: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L22: athrow
L23:
.linenumbertable
L0 42
L4 33
L15 43
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/net/InetAddress;I)V
.code stack 3 locals 3
L0: aload_0
L1: invokespecial Method java/net/Socket <init> ()V
L4: aload_0
L5: new java/io/ByteArrayOutputStream
L8: dup
L9: invokespecial Method java/io/ByteArrayOutputStream <init> ()V
L12: putfield Field DummySocket _out Ljava/io/ByteArrayOutputStream;
L15: new java/lang/UnsupportedOperationException
L18: dup
L19: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L22: athrow
L23:
.linenumbertable
L0 46
L4 33
L15 47
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;ILjava/net/InetAddress;I)V
.code stack 3 locals 5
L0: aload_0
L1: invokespecial Method java/net/Socket <init> ()V
L4: aload_0
L5: new java/io/ByteArrayOutputStream
L8: dup
L9: invokespecial Method java/io/ByteArrayOutputStream <init> ()V
L12: putfield Field DummySocket _out Ljava/io/ByteArrayOutputStream;
L15: new java/lang/UnsupportedOperationException
L18: dup
L19: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L22: athrow
L23:
.linenumbertable
L0 51
L4 33
L15 52
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/net/InetAddress;ILjava/net/InetAddress;I)V
.code stack 3 locals 5
L0: aload_0
L1: invokespecial Method java/net/Socket <init> ()V
L4: aload_0
L5: new java/io/ByteArrayOutputStream
L8: dup
L9: invokespecial Method java/io/ByteArrayOutputStream <init> ()V
L12: putfield Field DummySocket _out Ljava/io/ByteArrayOutputStream;
L15: new java/lang/UnsupportedOperationException
L18: dup
L19: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L22: athrow
L23:
.linenumbertable
L0 56
L4 33
L15 57
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;IZ)V
.code stack 3 locals 4
L0: aload_0
L1: invokespecial Method java/net/Socket <init> ()V
L4: aload_0
L5: new java/io/ByteArrayOutputStream
L8: dup
L9: invokespecial Method java/io/ByteArrayOutputStream <init> ()V
L12: putfield Field DummySocket _out Ljava/io/ByteArrayOutputStream;
L15: new java/lang/UnsupportedOperationException
L18: dup
L19: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L22: athrow
L23:
.linenumbertable
L0 60
L4 33
L15 61
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/net/InetAddress;IZ)V
.code stack 3 locals 4
L0: aload_0
L1: invokespecial Method java/net/Socket <init> ()V
L4: aload_0
L5: new java/io/ByteArrayOutputStream
L8: dup
L9: invokespecial Method java/io/ByteArrayOutputStream <init> ()V
L12: putfield Field DummySocket _out Ljava/io/ByteArrayOutputStream;
L15: new java/lang/UnsupportedOperationException
L18: dup
L19: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L22: athrow
L23:
.linenumbertable
L0 64
L4 33
L15 65
.end linenumbertable
.end code
.end method
.method public getByteArrayOutputStream : ()Ljava/io/ByteArrayOutputStream;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field DummySocket _out Ljava/io/ByteArrayOutputStream;
L4: areturn
L5:
.linenumbertable
L0 69
.end linenumbertable
.end code
.end method
.method public bind : (Ljava/net/SocketAddress;)V
.code stack 2 locals 2
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 76
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.method public synchronized close : ()V
.code stack 0 locals 1
L0: return
L1:
.linenumbertable
L0 80
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.method public connect : (Ljava/net/SocketAddress;I)V
.code stack 2 locals 3
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 87
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.method public connect : (Ljava/net/SocketAddress;)V
.code stack 0 locals 2
L0: return
L1:
.linenumbertable
L0 91
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.method public getChannel : ()Ljava/nio/channels/SocketChannel;
.code stack 2 locals 1
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 97
.end linenumbertable
.end code
.end method
.method public getInetAddress : ()Ljava/net/InetAddress;
.code stack 1 locals 1
L0: aload_0
L1: invokevirtual Method DummySocket getLocalAddress ()Ljava/net/InetAddress;
L4: areturn
L5:
.linenumbertable
L0 104
.end linenumbertable
.end code
.end method
.method public getInputStream : ()Ljava/io/InputStream;
.code stack 2 locals 1
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 111
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.method public getKeepAlive : ()Z
.code stack 2 locals 1
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 118
.end linenumbertable
.end code
.exceptions java/net/SocketException
.end method
.method public setKeepAlive : (Z)V
.code stack 2 locals 2
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 125
.end linenumbertable
.end code
.exceptions java/net/SocketException
.end method
.method public getLocalAddress : ()Ljava/net/InetAddress;
.code stack 3 locals 2
.catch java/net/UnknownHostException from L0 to L5 using L6
L0: ldc '127.0.0.1'
L2: invokestatic Method java/net/InetAddress getByName (Ljava/lang/String;)Ljava/net/InetAddress;
L5: areturn
.stack stack_1 Object java/net/UnknownHostException
L6: astore_1
L7: new java/lang/RuntimeException
L10: dup
L11: aload_1
L12: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/Throwable;)V
L15: athrow
L16:
.linenumbertable
L0 130
L6 131
L7 132
.end linenumbertable
.end code
.end method
.method public getLocalPort : ()I
.code stack 2 locals 1
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 140
.end linenumbertable
.end code
.end method
.method public getLocalSocketAddress : ()Ljava/net/SocketAddress;
.code stack 2 locals 1
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 147
.end linenumbertable
.end code
.end method
.method public getOOBInline : ()Z
.code stack 2 locals 1
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 154
.end linenumbertable
.end code
.exceptions java/net/SocketException
.end method
.method public setOOBInline : (Z)V
.code stack 2 locals 2
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 161
.end linenumbertable
.end code
.exceptions java/net/SocketException
.end method
.method public getOutputStream : ()Ljava/io/OutputStream;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field DummySocket _out Ljava/io/ByteArrayOutputStream;
L4: areturn
L5:
.linenumbertable
L0 168
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.method public getPort : ()I
.code stack 2 locals 1
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 175
.end linenumbertable
.end code
.end method
.method public synchronized getReceiveBufferSize : ()I
.code stack 2 locals 1
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 182
.end linenumbertable
.end code
.exceptions java/net/SocketException
.end method
.method public synchronized setReceiveBufferSize : (I)V
.code stack 2 locals 2
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 190
.end linenumbertable
.end code
.exceptions java/net/SocketException
.end method
.method public getRemoteSocketAddress : ()Ljava/net/SocketAddress;
.code stack 2 locals 1
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 197
.end linenumbertable
.end code
.end method
.method public getReuseAddress : ()Z
.code stack 2 locals 1
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 204
.end linenumbertable
.end code
.exceptions java/net/SocketException
.end method
.method public setReuseAddress : (Z)V
.code stack 2 locals 2
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 211
.end linenumbertable
.end code
.exceptions java/net/SocketException
.end method
.method public synchronized getSendBufferSize : ()I
.code stack 2 locals 1
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 218
.end linenumbertable
.end code
.exceptions java/net/SocketException
.end method
.method public synchronized setSendBufferSize : (I)V
.code stack 2 locals 2
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 226
.end linenumbertable
.end code
.exceptions java/net/SocketException
.end method
.method public getSoLinger : ()I
.code stack 2 locals 1
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 233
.end linenumbertable
.end code
.exceptions java/net/SocketException
.end method
.method public synchronized getSoTimeout : ()I
.code stack 2 locals 1
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 240
.end linenumbertable
.end code
.exceptions java/net/SocketException
.end method
.method public synchronized setSoTimeout : (I)V
.code stack 0 locals 2
L0: return
L1:
.linenumbertable
L0 248
.end linenumbertable
.end code
.exceptions java/net/SocketException
.end method
.method public getTcpNoDelay : ()Z
.code stack 2 locals 1
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 254
.end linenumbertable
.end code
.exceptions java/net/SocketException
.end method
.method public setTcpNoDelay : (Z)V
.code stack 2 locals 2
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 261
.end linenumbertable
.end code
.exceptions java/net/SocketException
.end method
.method public getTrafficClass : ()I
.code stack 2 locals 1
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 268
.end linenumbertable
.end code
.exceptions java/net/SocketException
.end method
.method public setTrafficClass : (I)V
.code stack 2 locals 2
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 275
.end linenumbertable
.end code
.exceptions java/net/SocketException
.end method
.method public isBound : ()Z
.code stack 2 locals 1
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 282
.end linenumbertable
.end code
.end method
.method public isClosed : ()Z
.code stack 2 locals 1
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 289
.end linenumbertable
.end code
.end method
.method public isConnected : ()Z
.code stack 2 locals 1
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 296
.end linenumbertable
.end code
.end method
.method public isInputShutdown : ()Z
.code stack 2 locals 1
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 303
.end linenumbertable
.end code
.end method
.method public isOutputShutdown : ()Z
.code stack 2 locals 1
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 310
.end linenumbertable
.end code
.end method
.method public sendUrgentData : (I)V
.code stack 2 locals 2
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 317
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.method public setSoLinger : (ZI)V
.code stack 2 locals 3
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 324
.end linenumbertable
.end code
.exceptions java/net/SocketException
.end method
.method public shutdownInput : ()V
.code stack 2 locals 1
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 331
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.method public shutdownOutput : ()V
.code stack 2 locals 1
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V
L7: athrow
L8:
.linenumbertable
L0 338
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.sourcefile 'DummySocket.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 15:48:42 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.OutputStream;
import java.net.InetAddress;
import java.net.SocketAddress;
import java.net.SocketImpl;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.ViolatedAssumptionAnswer;
import org.evosuite.runtime.mock.java.net.MockInetAddress;
import org.evosuite.runtime.mock.java.net.MockInetSocketAddress;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class DummySocket_ESTest extends DummySocket_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
InetAddress inetAddress0 = dummySocket0.getLocalAddress();
assertFalse(inetAddress0.isAnyLocalAddress());
}
@Test(timeout = 4000)
public void test01() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.getReceiveBufferSize();
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test02() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.isConnected();
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test03() throws Throwable {
DummySocket dummySocket0 = null;
try {
dummySocket0 = new DummySocket((InetAddress) null, (-99798), (InetAddress) null, (-99798));
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test04() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.sendUrgentData(59907);
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test05() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
OutputStream outputStream0 = dummySocket0.getOutputStream();
assertEquals("", outputStream0.toString());
}
@Test(timeout = 4000)
public void test06() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.getChannel();
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test07() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.isOutputShutdown();
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test08() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.getInputStream();
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test09() throws Throwable {
InetAddress inetAddress0 = MockInetAddress.anyLocalAddress();
DummySocket dummySocket0 = null;
try {
dummySocket0 = new DummySocket("qsg=|\"u~D,;4 ", (-281), inetAddress0, 0);
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test10() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.getPort();
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test11() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.setKeepAlive(true);
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test12() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
MockInetSocketAddress mockInetSocketAddress0 = new MockInetSocketAddress("", 0);
// Undeclared exception!
try {
dummySocket0.bind(mockInetSocketAddress0);
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test13() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.getTrafficClass();
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test14() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.getRemoteSocketAddress();
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test15() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.getKeepAlive();
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test16() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.isBound();
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test17() throws Throwable {
DummySocket dummySocket0 = null;
try {
dummySocket0 = new DummySocket("bV", (-75682), false);
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test18() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.getSoLinger();
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test19() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.getSendBufferSize();
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test20() throws Throwable {
SocketImpl socketImpl0 = mock(SocketImpl.class, new ViolatedAssumptionAnswer());
DummySocket dummySocket0 = null;
try {
dummySocket0 = new DummySocket(socketImpl0);
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test21() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.setOOBInline(false);
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test22() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.setTcpNoDelay(false);
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test23() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.setSoLinger(false, (-17462));
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test24() throws Throwable {
InetAddress inetAddress0 = MockInetAddress.getLoopbackAddress();
DummySocket dummySocket0 = null;
try {
dummySocket0 = new DummySocket(inetAddress0, 16876, true);
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test25() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.getSoTimeout();
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test26() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.getTcpNoDelay();
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test27() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.setReceiveBufferSize((-4));
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test28() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
dummySocket0.close();
}
@Test(timeout = 4000)
public void test29() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.isInputShutdown();
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test30() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.shutdownOutput();
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test31() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.setReuseAddress(true);
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test32() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.getLocalSocketAddress();
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test33() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.shutdownInput();
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test34() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.setSendBufferSize(0);
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test35() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
dummySocket0.connect((SocketAddress) null);
}
@Test(timeout = 4000)
public void test36() throws Throwable {
DummySocket dummySocket0 = null;
try {
dummySocket0 = new DummySocket("", 11033);
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test37() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
dummySocket0.setSoTimeout(0);
}
@Test(timeout = 4000)
public void test38() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.isClosed();
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test39() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.getOOBInline();
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test40() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.getLocalPort();
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test41() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.setTrafficClass(1);
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test42() throws Throwable {
InetAddress inetAddress0 = MockInetAddress.getLoopbackAddress();
DummySocket dummySocket0 = null;
try {
dummySocket0 = new DummySocket(inetAddress0, 0);
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test43() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
// Undeclared exception!
try {
dummySocket0.getReuseAddress();
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
@Test(timeout = 4000)
public void test44() throws Throwable {
DummySocket dummySocket0 = new DummySocket();
InetAddress inetAddress0 = dummySocket0.getInetAddress();
MockInetSocketAddress mockInetSocketAddress0 = new MockInetSocketAddress(inetAddress0, 0);
// Undeclared exception!
try {
dummySocket0.connect((SocketAddress) mockInetSocketAddress0, (-58186));
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("DummySocket", e);
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 15:48: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;
import static org.evosuite.shaded.org.mockito.Mockito.*;
@EvoSuiteClassExclude
public class DummySocket_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 = "DummySocket";
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/tmpro176u6o");
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(DummySocket_ESTest_scaffolding.class.getClassLoader() ,
"DummySocket"
);
}
private static void initMocksToAvoidTimeoutsInTheTests() throws ClassNotFoundException {
mock(Class.forName("java.net.SocketImpl", false, DummySocket_ESTest_scaffolding.class.getClassLoader()));
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DummySocket_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"DummySocket"
);
}
}
| 1,401 |
Common | /*
* Copyright 2017 Vojtech Krizek, [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 Vojtech Krizek
*/
public class Common {
public String getName() {
return "Data Miner";
}
}
| .version 52 0
.class public super Common
.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 22
.end linenumbertable
.end code
.end method
.method public getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: ldc 'Data Miner'
L2: areturn
L3:
.linenumbertable
L0 25
.end linenumbertable
.end code
.end method
.sourcefile 'Common.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 02:13: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 Common_ESTest extends Common_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Common common0 = new Common();
String string0 = common0.getName();
assertEquals("Data Miner", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 02:13: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 Common_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 = "Common";
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/tmpvrqob4vv");
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(Common_ESTest_scaffolding.class.getClassLoader() ,
"Common"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Common_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Common"
);
}
}
| 1,402 |
ReplacementSerializableSuperStub | /*<license>
Copyright 2008 - $Date$ by PeopleWare n.v..
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.
</license>*/
public class ReplacementSerializableSuperStub {
public final String getProperty1S() {
return $property1;
}
public final void setProperty1S(String property) {
$property1 = property;
}
private String $property1;
}
| .version 52 0
.class public super ReplacementSerializableSuperStub
.super java/lang/Object
.field private $property1 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 20
.end linenumbertable
.end code
.end method
.method public final getProperty1S : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ReplacementSerializableSuperStub $property1 Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 23
.end linenumbertable
.end code
.end method
.method public final setProperty1S : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field ReplacementSerializableSuperStub $property1 Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 27
L5 28
.end linenumbertable
.end code
.end method
.sourcefile 'ReplacementSerializableSuperStub.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 16:31: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 ReplacementSerializableSuperStub_ESTest extends ReplacementSerializableSuperStub_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ReplacementSerializableSuperStub replacementSerializableSuperStub0 = new ReplacementSerializableSuperStub();
replacementSerializableSuperStub0.setProperty1S("Y6{Fn}U");
String string0 = replacementSerializableSuperStub0.getProperty1S();
assertEquals("Y6{Fn}U", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
ReplacementSerializableSuperStub replacementSerializableSuperStub0 = new ReplacementSerializableSuperStub();
String string0 = replacementSerializableSuperStub0.getProperty1S();
assertNull(string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
ReplacementSerializableSuperStub replacementSerializableSuperStub0 = new ReplacementSerializableSuperStub();
replacementSerializableSuperStub0.setProperty1S("");
String string0 = replacementSerializableSuperStub0.getProperty1S();
assertEquals("", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 16:31: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 ReplacementSerializableSuperStub_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 = "ReplacementSerializableSuperStub";
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/tmpticsd3wb");
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(ReplacementSerializableSuperStub_ESTest_scaffolding.class.getClassLoader() ,
"ReplacementSerializableSuperStub"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ReplacementSerializableSuperStub_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ReplacementSerializableSuperStub"
);
}
}
| 1,403 |
Solution | // Solution: Sum each row up
// Time complexity: O(mn)
// Space complexity: O(1)
class Solution {
public int maximumWealth(int[][] accounts) {
int ans = 0;
for (int[] row : accounts) {
int sum_row = 0;
for (int i = 0; i < row.length; ++i) sum_row += row[i];
ans = Math.max(ans, sum_row);
}
return ans;
}
}
| .version 52 0
.class super Solution
.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 4
.end linenumbertable
.end code
.end method
.method public maximumWealth : ([[I)I
.code stack 3 locals 9
L0: iconst_0
L1: istore_2
L2: aload_1
L3: astore_3
L4: aload_3
L5: arraylength
L6: istore 4
L8: iconst_0
L9: istore 5
.stack full
locals Object Solution Object [[I Integer Object [[I Integer Integer
stack
.end stack
L11: iload 5
L13: iload 4
L15: if_icmpge L67
L18: aload_3
L19: iload 5
L21: aaload
L22: astore 6
L24: iconst_0
L25: istore 7
L27: iconst_0
L28: istore 8
.stack append Object [I Integer Integer
L30: iload 8
L32: aload 6
L34: arraylength
L35: if_icmpge L54
L38: iload 7
L40: aload 6
L42: iload 8
L44: iaload
L45: iadd
L46: istore 7
L48: iinc 8 1
L51: goto L30
.stack chop 1
L54: iload_2
L55: iload 7
L57: invokestatic Method java/lang/Math max (II)I
L60: istore_2
L61: iinc 5 1
L64: goto L11
.stack full
locals Object Solution Object [[I Integer
stack
.end stack
L67: iload_2
L68: ireturn
L69:
.linenumbertable
L0 6
L2 7
L24 8
L27 9
L38 10
L48 9
L54 11
L61 7
L67 13
.end linenumbertable
.end code
.end method
.sourcefile 'Solution.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 23:19: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 Solution_ESTest extends Solution_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Solution solution0 = new Solution();
int[][] intArray0 = new int[2][5];
int[] intArray1 = new int[2];
intArray1[0] = 1;
intArray1[1] = 41768;
intArray0[0] = intArray1;
intArray0[1] = intArray0[0];
int int0 = solution0.maximumWealth(intArray0);
assertEquals(41769, int0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Solution solution0 = new Solution();
int[][] intArray0 = new int[2][5];
int[] intArray1 = new int[2];
intArray0[0] = intArray1;
intArray0[1] = intArray1;
int int0 = solution0.maximumWealth(intArray0);
assertEquals(0, int0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 23:19: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 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/tmpkhygtq4c");
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,404 |
DBConnect | import java.sql.Connection;
import java.sql.DriverManager;
import java.sql.ResultSet;
import java.sql.Statement;
public class DBConnect {
private Connection conn;
private Statement st;
private ResultSet rs;
public DBConnect() {
try {
Class.forName("com.mysql.jdbc.Driver");
// conn = DriverManager.getConnection("jdbc:mysql://78.47.23.83:3306/tourismb_financer",
// "tourismb", "093jWqZng5");
conn =
DriverManager.getConnection(
"jdbc:mysql://localhost:3306/financer?autoReconnect=true&useSSL=false", "root", "");
st = conn.createStatement();
} catch (Exception e) {
System.out.println("Error: " + e);
}
}
public void getData() {}
}
| .version 52 0
.class public super DBConnect
.super java/lang/Object
.field private conn Ljava/sql/Connection;
.field private st Ljava/sql/Statement;
.field private rs Ljava/sql/ResultSet;
.method public <init> : ()V
.code stack 4 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
.catch java/lang/Exception from L4 to L36 using L39
L4: ldc 'com.mysql.jdbc.Driver'
L6: invokestatic Method java/lang/Class forName (Ljava/lang/String;)Ljava/lang/Class;
L9: pop
L10: aload_0
L11: ldc 'jdbc:mysql://localhost:3306/financer?autoReconnect=true&useSSL=false'
L13: ldc 'root'
L15: ldc ''
L17: invokestatic Method java/sql/DriverManager getConnection (Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)Ljava/sql/Connection;
L20: putfield Field DBConnect conn Ljava/sql/Connection;
L23: aload_0
L24: aload_0
L25: getfield Field DBConnect conn Ljava/sql/Connection;
L28: invokeinterface InterfaceMethod java/sql/Connection createStatement ()Ljava/sql/Statement; 1
L33: putfield Field DBConnect st Ljava/sql/Statement;
L36: goto L65
.stack full
locals Object DBConnect
stack Object java/lang/Exception
.end stack
L39: astore_1
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: ldc 'Error: '
L52: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L55: aload_1
L56: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L59: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L62: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack same
L65: return
L66:
.linenumbertable
L0 12
L4 14
L10 17
L23 18
L36 22
L39 20
L40 21
L65 23
.end linenumbertable
.end code
.end method
.method public getData : ()V
.code stack 0 locals 1
L0: return
L1:
.linenumbertable
L0 27
.end linenumbertable
.end code
.end method
.sourcefile 'DBConnect.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 12:32: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 DBConnect_ESTest extends DBConnect_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
DBConnect dBConnect0 = new DBConnect();
dBConnect0.getData();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 12:32: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 DBConnect_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 = "DBConnect";
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/tmpcpprku09");
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(DBConnect_ESTest_scaffolding.class.getClassLoader() ,
"DBConnect"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DBConnect_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"DBConnect"
);
}
}
| 1,405 |
TestGB18030 | /*
* Copyright (c) 2018, 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 8211382
* @summary Check GB18030
* @modules jdk.charsets
*/
import java.io.*;
import java.nio.*;
import java.nio.charset.*;
public class TestGB18030 {
public static void gb18030_1(boolean useDirect) throws Exception {
for (char ch : new char[] {'\uFFFE', '\uFFFF'}) {
char[] ca = new char[] {ch};
Charset cs = Charset.forName("GB18030");
CharsetEncoder ce = cs.newEncoder();
CharsetDecoder cd = cs.newDecoder();
CharBuffer cb = CharBuffer.wrap(ca);
ByteBuffer bb;
if (useDirect) {
bb = ByteBuffer.allocateDirect((int) Math.ceil(ce.maxBytesPerChar()));
} else {
bb = ByteBuffer.allocate((int) Math.ceil(ce.maxBytesPerChar()));
}
CoderResult cr = ce.encode(cb, bb, true);
if (!cr.isUnderflow()) {
throw new RuntimeException(
String.format(
"Encoder Error: \\u%04X: direct=%b: %s", (int) ch, useDirect, cr.toString()));
}
bb.position(0);
cb = CharBuffer.allocate((int) Math.ceil(cd.maxCharsPerByte() * bb.limit()));
cr = cd.decode(bb, cb, true);
if (!cr.isUnderflow()) {
throw new RuntimeException(
String.format(
"Decoder Error: \\u%04X: direct=%b: %s", (int) ch, useDirect, cr.toString()));
}
if (ca[0] != cb.get(0)) {
throw new RuntimeException(
String.format(
"direct=%b: \\u%04X <> \\u%04X", useDirect, (int) ca[0], (int) cb.get(0)));
}
}
}
public static void main(String args[]) throws Exception {
gb18030_1(false);
gb18030_1(true);
}
}
| .version 52 0
.class public super TestGB18030
.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 34
.end linenumbertable
.end code
.end method
.method public static gb18030_1 : (Z)V
.code stack 8 locals 12
L0: iconst_2
L1: newarray char
L3: dup
L4: iconst_0
L5: ldc 65534
L7: castore
L8: dup
L9: iconst_1
L10: ldc 65535
L12: castore
L13: astore_1
L14: aload_1
L15: arraylength
L16: istore_2
L17: iconst_0
L18: istore_3
.stack append Object [C Integer Integer
L19: iload_3
L20: iload_2
L21: if_icmpge L318
L24: aload_1
L25: iload_3
L26: caload
L27: istore 4
L29: iconst_1
L30: newarray char
L32: dup
L33: iconst_0
L34: iload 4
L36: castore
L37: astore 5
L39: ldc 'GB18030'
L41: invokestatic Method java/nio/charset/Charset forName (Ljava/lang/String;)Ljava/nio/charset/Charset;
L44: astore 6
L46: aload 6
L48: invokevirtual Method java/nio/charset/Charset newEncoder ()Ljava/nio/charset/CharsetEncoder;
L51: astore 7
L53: aload 6
L55: invokevirtual Method java/nio/charset/Charset newDecoder ()Ljava/nio/charset/CharsetDecoder;
L58: astore 8
L60: aload 5
L62: invokestatic Method java/nio/CharBuffer wrap ([C)Ljava/nio/CharBuffer;
L65: astore 9
L67: iload_0
L68: ifeq L89
L71: aload 7
L73: invokevirtual Method java/nio/charset/CharsetEncoder maxBytesPerChar ()F
L76: f2d
L77: invokestatic Method java/lang/Math ceil (D)D
L80: d2i
L81: invokestatic Method java/nio/ByteBuffer allocateDirect (I)Ljava/nio/ByteBuffer;
L84: astore 10
L86: goto L104
.stack full
locals Integer Object [C Integer Integer Integer Object [C Object java/nio/charset/Charset Object java/nio/charset/CharsetEncoder Object java/nio/charset/CharsetDecoder Object java/nio/CharBuffer
stack
.end stack
L89: aload 7
L91: invokevirtual Method java/nio/charset/CharsetEncoder maxBytesPerChar ()F
L94: f2d
L95: invokestatic Method java/lang/Math ceil (D)D
L98: d2i
L99: invokestatic Method java/nio/ByteBuffer allocate (I)Ljava/nio/ByteBuffer;
L102: astore 10
.stack append Object java/nio/ByteBuffer
L104: aload 7
L106: aload 9
L108: aload 10
L110: iconst_1
L111: invokevirtual Method java/nio/charset/CharsetEncoder encode (Ljava/nio/CharBuffer;Ljava/nio/ByteBuffer;Z)Ljava/nio/charset/CoderResult;
L114: astore 11
L116: aload 11
L118: invokevirtual Method java/nio/charset/CoderResult isUnderflow ()Z
L121: ifne L164
L124: new java/lang/RuntimeException
L127: dup
L128: ldc 'Encoder Error: \\u%04X: direct=%b: %s'
L130: iconst_3
L131: anewarray java/lang/Object
L134: dup
L135: iconst_0
L136: iload 4
L138: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L141: aastore
L142: dup
L143: iconst_1
L144: iload_0
L145: invokestatic Method java/lang/Boolean valueOf (Z)Ljava/lang/Boolean;
L148: aastore
L149: dup
L150: iconst_2
L151: aload 11
L153: invokevirtual Method java/nio/charset/CoderResult toString ()Ljava/lang/String;
L156: aastore
L157: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String;
L160: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V
L163: athrow
.stack append Object java/nio/charset/CoderResult
L164: aload 10
L166: iconst_0
L167: invokevirtual Method java/nio/ByteBuffer position (I)Ljava/nio/Buffer;
L170: pop
L171: aload 8
L173: invokevirtual Method java/nio/charset/CharsetDecoder maxCharsPerByte ()F
L176: aload 10
L178: invokevirtual Method java/nio/ByteBuffer limit ()I
L181: i2f
L182: fmul
L183: f2d
L184: invokestatic Method java/lang/Math ceil (D)D
L187: d2i
L188: invokestatic Method java/nio/CharBuffer allocate (I)Ljava/nio/CharBuffer;
L191: astore 9
L193: aload 8
L195: aload 10
L197: aload 9
L199: iconst_1
L200: invokevirtual Method java/nio/charset/CharsetDecoder decode (Ljava/nio/ByteBuffer;Ljava/nio/CharBuffer;Z)Ljava/nio/charset/CoderResult;
L203: astore 11
L205: aload 11
L207: invokevirtual Method java/nio/charset/CoderResult isUnderflow ()Z
L210: ifne L253
L213: new java/lang/RuntimeException
L216: dup
L217: ldc 'Decoder Error: \\u%04X: direct=%b: %s'
L219: iconst_3
L220: anewarray java/lang/Object
L223: dup
L224: iconst_0
L225: iload 4
L227: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L230: aastore
L231: dup
L232: iconst_1
L233: iload_0
L234: invokestatic Method java/lang/Boolean valueOf (Z)Ljava/lang/Boolean;
L237: aastore
L238: dup
L239: iconst_2
L240: aload 11
L242: invokevirtual Method java/nio/charset/CoderResult toString ()Ljava/lang/String;
L245: aastore
L246: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String;
L249: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V
L252: athrow
.stack same_extended
L253: aload 5
L255: iconst_0
L256: caload
L257: aload 9
L259: iconst_0
L260: invokevirtual Method java/nio/CharBuffer get (I)C
L263: if_icmpeq L312
L266: new java/lang/RuntimeException
L269: dup
L270: ldc 'direct=%b: \\u%04X <> \\u%04X'
L272: iconst_3
L273: anewarray java/lang/Object
L276: dup
L277: iconst_0
L278: iload_0
L279: invokestatic Method java/lang/Boolean valueOf (Z)Ljava/lang/Boolean;
L282: aastore
L283: dup
L284: iconst_1
L285: aload 5
L287: iconst_0
L288: caload
L289: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L292: aastore
L293: dup
L294: iconst_2
L295: aload 9
L297: iconst_0
L298: invokevirtual Method java/nio/CharBuffer get (I)C
L301: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L304: aastore
L305: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String;
L308: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V
L311: athrow
.stack full
locals Integer Object [C Integer Integer
stack
.end stack
L312: iinc 3 1
L315: goto L19
.stack chop 3
L318: return
L319:
.linenumbertable
L0 36
L29 37
L39 38
L46 39
L53 40
L60 41
L67 43
L71 44
L73 45
L81 44
L89 47
L91 48
L99 47
L104 50
L116 51
L124 52
L138 54
L145 55
L153 56
L157 53
L164 58
L171 59
L173 60
L184 59
L193 61
L205 62
L213 63
L227 65
L234 66
L242 67
L246 64
L253 69
L266 70
L279 72
L289 73
L298 74
L305 71
L312 36
L318 77
.end linenumbertable
.end code
.exceptions java/lang/Exception
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 1 locals 1
L0: iconst_0
L1: invokestatic Method TestGB18030 gb18030_1 (Z)V
L4: iconst_1
L5: invokestatic Method TestGB18030 gb18030_1 (Z)V
L8: return
L9:
.linenumbertable
L0 79
L4 80
L8 81
.end linenumbertable
.end code
.exceptions java/lang/Exception
.end method
.sourcefile 'TestGB18030.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 16:20: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 TestGB18030_ESTest extends TestGB18030_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
TestGB18030.gb18030_1(false);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
TestGB18030.gb18030_1(true);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
TestGB18030 testGB18030_0 = new TestGB18030();
}
@Test(timeout = 4000)
public void test3() throws Throwable {
String[] stringArray0 = new String[7];
TestGB18030.main(stringArray0);
assertEquals(7, stringArray0.length);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 16:20:15 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class TestGB18030_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 = "TestGB18030";
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/tmpssh56sam");
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(TestGB18030_ESTest_scaffolding.class.getClassLoader() ,
"TestGB18030"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TestGB18030_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"TestGB18030"
);
}
}
| 1,406 |
Solution | import java.io.*;
import java.math.*;
import java.security.*;
import java.text.*;
import java.util.*;
import java.util.concurrent.*;
import java.util.regex.*;
public class Solution {
// Complete the hourglassSum function below.
static int hourglassSum(int[][] arr) {
int count = Integer.MIN_VALUE;
for (int m = 0; m < arr.length; m++) {
for (int n = 0; n < arr.length; n++) {
if (m >= arr.length - 2 || n >= arr.length - 2) {
} else {
int firstTemp = arr[m][n] + arr[m][n + 1] + arr[m][n + 2];
int secondTemp = arr[m + 1][n + 1];
int thirdTemp = arr[m + 2][n] + arr[m + 2][n + 1] + arr[m + 2][n + 2];
int sum = firstTemp + secondTemp + thirdTemp;
if (sum > count) {
count = sum;
}
}
}
}
return count;
}
private static final Scanner scanner = new Scanner(System.in);
public static void main(String[] args) throws IOException {
int[][] arr = new int[6][6];
for (int i = 0; i < 6; i++) {
String[] arrRowItems = scanner.nextLine().split(" ");
scanner.skip("(\r\n|[\n\r\u2028\u2029\u0085])?");
for (int j = 0; j < 6; j++) {
int arrItem = Integer.parseInt(arrRowItems[j]);
arr[i][j] = arrItem;
}
}
int result = hourglassSum(arr);
System.out.println(String.valueOf(result));
scanner.close();
}
}
| .version 52 0
.class public super Solution
.super java/lang/Object
.field private static final 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 11
.end linenumbertable
.end code
.end method
.method static hourglassSum : ([[I)I
.code stack 4 locals 8
L0: ldc -2147483648
L2: istore_1
L3: iconst_0
L4: istore_2
.stack append Integer Integer
L5: iload_2
L6: aload_0
L7: arraylength
L8: if_icmpge L132
L11: iconst_0
L12: istore_3
.stack append Integer
L13: iload_3
L14: aload_0
L15: arraylength
L16: if_icmpge L126
L19: iload_2
L20: aload_0
L21: arraylength
L22: iconst_2
L23: isub
L24: if_icmpge L120
L27: iload_3
L28: aload_0
L29: arraylength
L30: iconst_2
L31: isub
L32: if_icmplt L38
L35: goto L120
.stack same
L38: aload_0
L39: iload_2
L40: aaload
L41: iload_3
L42: iaload
L43: aload_0
L44: iload_2
L45: aaload
L46: iload_3
L47: iconst_1
L48: iadd
L49: iaload
L50: iadd
L51: aload_0
L52: iload_2
L53: aaload
L54: iload_3
L55: iconst_2
L56: iadd
L57: iaload
L58: iadd
L59: istore 4
L61: aload_0
L62: iload_2
L63: iconst_1
L64: iadd
L65: aaload
L66: iload_3
L67: iconst_1
L68: iadd
L69: iaload
L70: istore 5
L72: aload_0
L73: iload_2
L74: iconst_2
L75: iadd
L76: aaload
L77: iload_3
L78: iaload
L79: aload_0
L80: iload_2
L81: iconst_2
L82: iadd
L83: aaload
L84: iload_3
L85: iconst_1
L86: iadd
L87: iaload
L88: iadd
L89: aload_0
L90: iload_2
L91: iconst_2
L92: iadd
L93: aaload
L94: iload_3
L95: iconst_2
L96: iadd
L97: iaload
L98: iadd
L99: istore 6
L101: iload 4
L103: iload 5
L105: iadd
L106: iload 6
L108: iadd
L109: istore 7
L111: iload 7
L113: iload_1
L114: if_icmple L120
L117: iload 7
L119: istore_1
.stack same_extended
L120: iinc 3 1
L123: goto L13
.stack chop 1
L126: iinc 2 1
L129: goto L5
.stack chop 1
L132: iload_1
L133: ireturn
L134:
.linenumbertable
L0 15
L3 16
L11 17
L19 19
L38 22
L61 23
L72 24
L101 25
L111 26
L117 27
L120 17
L126 16
L132 32
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 3 locals 6
L0: bipush 6
L2: bipush 6
L4: multianewarray [[I 2
L8: astore_1
L9: iconst_0
L10: istore_2
.stack append Object [[I Integer
L11: iload_2
L12: bipush 6
L14: if_icmpge L77
L17: getstatic Field Solution scanner Ljava/util/Scanner;
L20: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String;
L23: ldc ' '
L25: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String;
L28: astore_3
L29: getstatic Field Solution scanner Ljava/util/Scanner;
L32: ldc '(\r\n|[\n\r\u2028\u2029\x85])?'
L34: invokevirtual Method java/util/Scanner skip (Ljava/lang/String;)Ljava/util/Scanner;
L37: pop
L38: iconst_0
L39: istore 4
.stack append Object [Ljava/lang/String; Integer
L41: iload 4
L43: bipush 6
L45: if_icmpge L71
L48: aload_3
L49: iload 4
L51: aaload
L52: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I
L55: istore 5
L57: aload_1
L58: iload_2
L59: aaload
L60: iload 4
L62: iload 5
L64: iastore
L65: iinc 4 1
L68: goto L41
.stack chop 2
L71: iinc 2 1
L74: goto L11
.stack chop 1
L77: aload_1
L78: invokestatic Method Solution hourglassSum ([[I)I
L81: istore_2
L82: getstatic Field java/lang/System out Ljava/io/PrintStream;
L85: iload_2
L86: invokestatic Method java/lang/String valueOf (I)Ljava/lang/String;
L89: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L92: getstatic Field Solution scanner Ljava/util/Scanner;
L95: invokevirtual Method java/util/Scanner close ()V
L98: return
L99:
.linenumbertable
L0 38
L9 40
L17 41
L29 42
L38 44
L48 45
L57 46
L65 44
L71 40
L77 50
L82 52
L92 53
L98 54
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.method static <clinit> : ()V
.code stack 3 locals 0
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: putstatic Field Solution scanner Ljava/util/Scanner;
L13: return
L14:
.linenumbertable
L0 35
.end linenumbertable
.end code
.end method
.sourcefile 'Solution.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 14:54:45 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 Solution_ESTest extends Solution_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
int[][] intArray0 = new int[5][6];
int[] intArray1 = new int[4];
intArray1[0] = 0;
intArray1[1] = (-14315);
intArray1[2] = (-1);
intArray1[3] = (-41584);
intArray0[0] = intArray1;
int[] intArray2 = new int[9];
intArray2[0] = (-41584);
intArray2[1] = (-41584);
intArray2[2] = (-1);
intArray2[3] = (-1);
intArray2[4] = (-1);
intArray2[5] = 0;
intArray2[6] = (-1);
intArray2[7] = (-14315);
intArray2[8] = (-1);
intArray0[1] = intArray2;
int[] intArray3 = new int[7];
intArray3[0] = (-14315);
intArray3[1] = (-41584);
intArray3[2] = (-14315);
intArray3[3] = (-41584);
intArray3[4] = (-41584);
intArray3[5] = (-41584);
intArray3[6] = (-1);
intArray0[2] = intArray3;
int[] intArray4 = new int[1];
intArray4[0] = (-14315);
intArray0[3] = intArray4;
int[] intArray5 = new int[2];
intArray5[0] = (-14315);
intArray5[1] = 0;
intArray0[4] = intArray5;
// Undeclared exception!
try {
Solution.hourglassSum(intArray0);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 4
//
verifyException("Solution", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
int[][] intArray0 = new int[2][1];
int[] intArray1 = new int[8];
intArray1[0] = (-1);
intArray1[1] = 0;
intArray1[2] = 0;
intArray1[3] = 1;
intArray1[4] = 29526;
intArray1[5] = 1;
intArray1[6] = (-71943);
intArray1[7] = 13353;
intArray0[0] = intArray1;
int[] intArray2 = new int[7];
intArray2[0] = 1;
intArray2[1] = 29526;
intArray2[2] = 1;
intArray2[3] = 29526;
intArray2[4] = (-71943);
intArray2[5] = 0;
intArray2[6] = 0;
intArray0[1] = intArray2;
int int0 = Solution.hourglassSum(intArray0);
assertEquals(Integer.MIN_VALUE, int0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
int[][] intArray0 = new int[5][3];
int[] intArray1 = new int[4];
intArray1[0] = (-1);
intArray1[1] = 0;
intArray1[2] = (-14525);
intArray1[3] = (-57885);
intArray0[0] = intArray1;
int[] intArray2 = new int[8];
intArray2[0] = (-57885);
intArray2[1] = (-57885);
intArray2[2] = (-1);
intArray2[3] = 0;
intArray2[4] = (-14525);
intArray2[5] = 0;
intArray2[6] = 0;
intArray2[7] = (-1);
intArray0[1] = intArray2;
int[] intArray3 = new int[3];
intArray3[0] = (-1);
intArray3[1] = 0;
intArray3[2] = 0;
intArray0[2] = intArray3;
int[] intArray4 = new int[3];
intArray4[0] = (-14525);
intArray4[1] = (-14525);
intArray4[2] = (-1);
intArray0[3] = intArray4;
int[] intArray5 = new int[5];
intArray5[0] = (-57885);
intArray5[1] = (-14525);
intArray5[2] = (-14525);
intArray5[3] = (-14525);
intArray5[4] = (-1);
intArray0[4] = intArray5;
// Undeclared exception!
try {
Solution.hourglassSum(intArray0);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 3
//
verifyException("Solution", e);
}
}
@Test(timeout = 4000)
public void test3() throws Throwable {
int[][] intArray0 = new int[8][9];
int[] intArray1 = new int[6];
intArray1[0] = (-36784);
intArray1[1] = 0;
intArray1[2] = (-13521);
intArray1[3] = (-24932);
intArray1[4] = (-1);
intArray1[5] = (-1);
intArray0[0] = intArray1;
int[] intArray2 = new int[2];
intArray2[0] = 0;
intArray2[1] = (-1);
intArray0[1] = intArray2;
int[] intArray3 = new int[3];
intArray3[0] = 0;
intArray3[1] = (-13521);
intArray3[2] = (-1);
intArray0[2] = intArray3;
int[] intArray4 = new int[4];
intArray4[0] = 0;
intArray4[1] = 0;
intArray4[2] = (-24932);
intArray4[3] = 0;
intArray0[3] = intArray4;
int[] intArray5 = new int[9];
intArray5[0] = (-13521);
intArray5[1] = (-36784);
intArray5[2] = (-1);
intArray5[3] = 0;
intArray5[4] = (-24932);
intArray5[5] = (-36784);
intArray5[6] = (-24932);
intArray5[7] = (-36784);
intArray5[8] = (-36784);
intArray0[4] = intArray5;
int[] intArray6 = new int[1];
intArray6[0] = (-1);
intArray0[5] = intArray6;
int[] intArray7 = new int[5];
intArray7[0] = (-36784);
intArray7[1] = (-1);
intArray7[2] = 0;
intArray7[3] = (-1);
intArray7[4] = (-1);
intArray0[6] = intArray7;
int[] intArray8 = new int[4];
intArray8[0] = (-36784);
intArray8[1] = 1;
intArray8[2] = 0;
intArray8[3] = (-60910);
intArray0[7] = intArray8;
// Undeclared exception!
try {
Solution.hourglassSum(intArray0);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 2
//
verifyException("Solution", e);
}
}
@Test(timeout = 4000)
public void test4() throws Throwable {
int[][] intArray0 = new int[3][2];
int[] intArray1 = new int[7];
intArray1[0] = 1;
intArray1[1] = (-1);
intArray1[2] = (-47569);
intArray1[3] = 0;
intArray1[4] = (-142045);
intArray1[5] = 1;
intArray1[6] = 0;
intArray0[0] = intArray1;
int[] intArray2 = new int[8];
intArray2[0] = (-1);
intArray2[1] = (-142045);
intArray2[2] = (-47569);
intArray2[3] = (-142045);
intArray2[4] = (-47569);
intArray2[5] = (-1);
intArray2[6] = 0;
intArray2[7] = 1;
intArray0[1] = intArray2;
int[] intArray3 = new int[0];
intArray0[2] = intArray3;
// Undeclared exception!
try {
Solution.hourglassSum(intArray0);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 0
//
verifyException("Solution", e);
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 14:54: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 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();
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/tmpxjx95idl");
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,407 |
TestCompare | /**
* Created by Defias on 2017/2/27.
*
* <p>Comparable接口 定义了comppareTo方法,用于比较对象
*
* <p>Comparable是排序接口。若一个类实现了Comparable接口,就意味着“该类支持排序”,它可以直接通过Arrays.sort() 或 Collections.sort()进行排序
*
* <p>java.util.Comparable<E>接口 ---------------------------------- +compareTo(o: E): int
*/
import java.util.*;
public class TestCompare {
public static void main(String[] args) {
ComparableRectangle[] rectangles = {
new ComparableRectangle(3.4, 5.4),
new ComparableRectangle(13.24, 55.4),
new ComparableRectangle(31.4, 52.3),
new ComparableRectangle(13.4, 53.0),
};
Arrays.sort(rectangles); // 因为实现了Comparable接口,所以可以使用集合排序
for (ComparableRectangle rectangle : rectangles) {
System.out.print(rectangle + " ");
System.out.println();
}
// 比较
ComparableRectangle o1 = new ComparableRectangle(3.4, 5.4);
ComparableRectangle o2 = new ComparableRectangle(13.4, 53.0);
ComparableRectangle o3 = new ComparableRectangle(2.0, 9.18);
System.out.println(o1.compareTo(o3)); // 使用compareTo来进行比较,而不能使用大于号、小于号等
System.out.println(o1 == o3); // 不管是基本类型还是引用类型比较的总是所指向的对象的地址
System.out.println(o1.equals(o3)); // 默认比较的是所指向的对象的地址,除非进行重写,不能用于基本数据类型
System.out.println(o1.hashCode());
System.out.println(o3.hashCode());
HashSet<ComparableRectangle> sets =
new HashSet<>(); // 如果不重写hashCode方法,而且哈希码也不相等,那么相等的对象就可以添加到集合中而不会出现重复现象
sets.add(o1);
sets.add(o3);
for (ComparableRectangle o : sets) {
System.out.println(o);
}
}
}
class ComparableRectangle implements Comparable<ComparableRectangle> {
private double width;
private double height;
public ComparableRectangle(double width, double height) {
this.width = width;
this.height = height;
}
public double getArea() {
return (width * height);
}
@Override
public int compareTo(ComparableRectangle o) {
if (getArea() > o.getArea()) return 1;
else if (getArea() < o.getArea()) return -1;
else return 0;
}
@Override
public boolean equals(Object obj) {
if (obj == null) return false;
if (this == obj) { // 如果是同一个对象返回true
return true;
}
if (this.getClass() != obj.getClass()) {
return false;
}
ComparableRectangle objcr = (ComparableRectangle) obj;
double off = getArea() - objcr.getArea();
if (off > -0.0000001 && off < 0.0000001) { // 浮点数比较
return true;
} else {
return false;
}
}
@Override
public int hashCode() {
// int widthhash = (""+width).hashCode();
// int heighthash = (""+height).hashCode();
// return widthhash & heighthash;
int Areahash = ("" + getArea()).hashCode();
return Areahash;
}
@Override
public String toString() {
return "width: " + width + " height: " + height + " Area: " + getArea();
}
}
| .version 52 0
.class public super TestCompare
.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 main : ([Ljava/lang/String;)V
.code stack 9 locals 8
L0: iconst_4
L1: anewarray ComparableRectangle
L4: dup
L5: iconst_0
L6: new ComparableRectangle
L9: dup
L10: ldc2_w +3.4
L13: ldc2_w +5.4
L16: invokespecial Method ComparableRectangle <init> (DD)V
L19: aastore
L20: dup
L21: iconst_1
L22: new ComparableRectangle
L25: dup
L26: ldc2_w +13.24
L29: ldc2_w +55.4
L32: invokespecial Method ComparableRectangle <init> (DD)V
L35: aastore
L36: dup
L37: iconst_2
L38: new ComparableRectangle
L41: dup
L42: ldc2_w +31.4
L45: ldc2_w +52.3
L48: invokespecial Method ComparableRectangle <init> (DD)V
L51: aastore
L52: dup
L53: iconst_3
L54: new ComparableRectangle
L57: dup
L58: ldc2_w +13.4
L61: ldc2_w +53.0
L64: invokespecial Method ComparableRectangle <init> (DD)V
L67: aastore
L68: astore_1
L69: aload_1
L70: invokestatic Method java/util/Arrays sort ([Ljava/lang/Object;)V
L73: aload_1
L74: astore_2
L75: aload_2
L76: arraylength
L77: istore_3
L78: iconst_0
L79: istore 4
.stack full
locals Object [Ljava/lang/String; Object [LComparableRectangle; Object [LComparableRectangle; Integer Integer
stack
.end stack
L81: iload 4
L83: iload_3
L84: if_icmpge L131
L87: aload_2
L88: iload 4
L90: aaload
L91: astore 5
L93: getstatic Field java/lang/System out Ljava/io/PrintStream;
L96: new java/lang/StringBuilder
L99: dup
L100: invokespecial Method java/lang/StringBuilder <init> ()V
L103: aload 5
L105: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L108: ldc ' '
L110: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L113: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L116: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V
L119: getstatic Field java/lang/System out Ljava/io/PrintStream;
L122: invokevirtual Method java/io/PrintStream println ()V
L125: iinc 4 1
L128: goto L81
.stack chop 3
L131: new ComparableRectangle
L134: dup
L135: ldc2_w +3.4
L138: ldc2_w +5.4
L141: invokespecial Method ComparableRectangle <init> (DD)V
L144: astore_2
L145: new ComparableRectangle
L148: dup
L149: ldc2_w +13.4
L152: ldc2_w +53.0
L155: invokespecial Method ComparableRectangle <init> (DD)V
L158: astore_3
L159: new ComparableRectangle
L162: dup
L163: ldc2_w +2.0
L166: ldc2_w +9.18
L169: invokespecial Method ComparableRectangle <init> (DD)V
L172: astore 4
L174: getstatic Field java/lang/System out Ljava/io/PrintStream;
L177: aload_2
L178: aload 4
L180: invokevirtual Method ComparableRectangle compareTo (LComparableRectangle;)I
L183: invokevirtual Method java/io/PrintStream println (I)V
L186: getstatic Field java/lang/System out Ljava/io/PrintStream;
L189: aload_2
L190: aload 4
L192: if_acmpne L199
L195: iconst_1
L196: goto L200
.stack full
locals Object [Ljava/lang/String; Object [LComparableRectangle; Object ComparableRectangle Object ComparableRectangle Object ComparableRectangle
stack Object java/io/PrintStream
.end stack
L199: iconst_0
.stack full
locals Object [Ljava/lang/String; Object [LComparableRectangle; Object ComparableRectangle Object ComparableRectangle Object ComparableRectangle
stack Object java/io/PrintStream Integer
.end stack
L200: invokevirtual Method java/io/PrintStream println (Z)V
L203: getstatic Field java/lang/System out Ljava/io/PrintStream;
L206: aload_2
L207: aload 4
L209: invokevirtual Method ComparableRectangle equals (Ljava/lang/Object;)Z
L212: invokevirtual Method java/io/PrintStream println (Z)V
L215: getstatic Field java/lang/System out Ljava/io/PrintStream;
L218: aload_2
L219: invokevirtual Method ComparableRectangle hashCode ()I
L222: invokevirtual Method java/io/PrintStream println (I)V
L225: getstatic Field java/lang/System out Ljava/io/PrintStream;
L228: aload 4
L230: invokevirtual Method ComparableRectangle hashCode ()I
L233: invokevirtual Method java/io/PrintStream println (I)V
L236: new java/util/HashSet
L239: dup
L240: invokespecial Method java/util/HashSet <init> ()V
L243: astore 5
L245: aload 5
L247: aload_2
L248: invokevirtual Method java/util/HashSet add (Ljava/lang/Object;)Z
L251: pop
L252: aload 5
L254: aload 4
L256: invokevirtual Method java/util/HashSet add (Ljava/lang/Object;)Z
L259: pop
L260: aload 5
L262: invokevirtual Method java/util/HashSet iterator ()Ljava/util/Iterator;
L265: astore 6
.stack append Object java/util/HashSet Object java/util/Iterator
L267: aload 6
L269: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1
L274: ifeq L300
L277: aload 6
L279: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1
L284: checkcast ComparableRectangle
L287: astore 7
L289: getstatic Field java/lang/System out Ljava/io/PrintStream;
L292: aload 7
L294: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V
L297: goto L267
.stack chop 1
L300: return
L301:
.linenumbertable
L0 19
L69 26
L73 27
L93 28
L119 29
L125 27
L131 33
L145 34
L159 35
L174 37
L186 38
L203 39
L215 40
L225 41
L236 43
L245 44
L252 45
L260 46
L289 47
L297 48
L300 50
.end linenumbertable
.end code
.end method
.sourcefile 'TestCompare.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 02:36:44 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 TestCompare_ESTest extends TestCompare_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
// Undeclared exception!
try {
TestCompare.main((String[]) null);
fail("Expecting exception: NoClassDefFoundError");
} catch(NoClassDefFoundError e) {
//
// ComparableRectangle
//
verifyException("TestCompare", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
TestCompare testCompare0 = new TestCompare();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 02:36:44 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 TestCompare_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 = "TestCompare";
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/tmpzzmh7rdr");
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(TestCompare_ESTest_scaffolding.class.getClassLoader() ,
"TestCompare"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TestCompare_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"TestCompare"
);
}
}
| 1,408 |
NumericUtil | import java.util.Random;
public class NumericUtil {
public boolean isNumeric(String str)
// ¼ýÀÚÀΰ¡¸¦ ¾Ë¾Æ³» ÁÖ´Â ¸Þ¼Òµå
{
try {
double d = Double.parseDouble(str);
} catch (NumberFormatException nfe) {
return false;
}
return true;
}
// ÃÖ¼Ò ~ ÃÖ´ë °ª Áß, ·£´ýÇÑ °ªÀ» ÃßÃâÇÏ´Â ¸Þ¼Òµå//
public int RandomNum(int min, int max) {
if (min <= max) return new Random().nextInt((int) (max - min + 1)) + min;
else return new Random().nextInt((int) (min - max + 1)) + max;
}
public boolean RandomPercent(double percent) {
if (Math.random() <= percent) return true;
return false;
}
}
| .version 52 0
.class public super NumericUtil
.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 isNumeric : (Ljava/lang/String;)Z
.code stack 2 locals 4
.catch java/lang/NumberFormatException from L0 to L5 using L8
L0: aload_1
L1: invokestatic Method java/lang/Double parseDouble (Ljava/lang/String;)D
L4: dstore_2
L5: goto L11
.stack stack_1 Object java/lang/NumberFormatException
L8: astore_2
L9: iconst_0
L10: ireturn
.stack same
L11: iconst_1
L12: ireturn
L13:
.linenumbertable
L0 12
L5 17
L8 14
L9 16
L11 18
.end linenumbertable
.end code
.end method
.method public RandomNum : (II)I
.code stack 3 locals 3
L0: iload_1
L1: iload_2
L2: if_icmpgt L23
L5: new java/util/Random
L8: dup
L9: invokespecial Method java/util/Random <init> ()V
L12: iload_2
L13: iload_1
L14: isub
L15: iconst_1
L16: iadd
L17: invokevirtual Method java/util/Random nextInt (I)I
L20: iload_1
L21: iadd
L22: ireturn
.stack same
L23: new java/util/Random
L26: dup
L27: invokespecial Method java/util/Random <init> ()V
L30: iload_1
L31: iload_2
L32: isub
L33: iconst_1
L34: iadd
L35: invokevirtual Method java/util/Random nextInt (I)I
L38: iload_2
L39: iadd
L40: ireturn
L41:
.linenumbertable
L0 24
L5 25
L23 27
.end linenumbertable
.end code
.end method
.method public RandomPercent : (D)Z
.code stack 4 locals 3
L0: invokestatic Method java/lang/Math random ()D
L3: dload_1
L4: dcmpg
L5: ifgt L10
L8: iconst_1
L9: ireturn
.stack same
L10: iconst_0
L11: ireturn
L12:
.linenumbertable
L0 32
L8 33
L10 34
.end linenumbertable
.end code
.end method
.sourcefile 'NumericUtil.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 07:48: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 NumericUtil_ESTest extends NumericUtil_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
NumericUtil numericUtil0 = new NumericUtil();
int int0 = numericUtil0.RandomNum(0, (-42183));
assertEquals((-42183), int0);
boolean boolean0 = numericUtil0.isNumeric("R1\"");
int int1 = numericUtil0.RandomNum(0, 25865);
assertEquals(0, int1);
boolean boolean1 = numericUtil0.RandomPercent(0.0);
assertFalse(boolean1 == boolean0);
assertTrue(boolean1);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
NumericUtil numericUtil0 = new NumericUtil();
int int0 = numericUtil0.RandomNum((-19708), (-13890));
assertEquals((-19708), int0);
int int1 = numericUtil0.RandomNum(0, (-42183));
assertEquals((-42183), int1);
boolean boolean0 = numericUtil0.isNumeric("R1\"");
boolean boolean1 = numericUtil0.RandomPercent(0.0);
assertFalse(boolean1 == boolean0);
assertTrue(boolean1);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
NumericUtil numericUtil0 = new NumericUtil();
int int0 = numericUtil0.RandomNum(0, 0);
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
NumericUtil numericUtil0 = new NumericUtil();
boolean boolean0 = numericUtil0.RandomPercent(1);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
NumericUtil numericUtil0 = new NumericUtil();
boolean boolean0 = numericUtil0.RandomPercent((-10352.0821));
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
NumericUtil numericUtil0 = new NumericUtil();
int int0 = numericUtil0.RandomNum(1, 8458);
assertEquals(1, int0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 07:48: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 NumericUtil_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 = "NumericUtil";
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/tmpgi3qg6_o");
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(NumericUtil_ESTest_scaffolding.class.getClassLoader() ,
"NumericUtil"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(NumericUtil_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"NumericUtil"
);
}
}
| 1,409 |
STCRuntimeError | /*
* Copyright 2013 University of Chicago and Argonne National Laboratory
*
* 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
*/
/**
* This represents a parser internal error. These always indicate a parser bug (or missing feature).
*
* @author wozniak
*/
public class STCRuntimeError extends RuntimeException {
public STCRuntimeError(String msg) {
super(msg);
}
public STCRuntimeError(String msg, Throwable cause) {
super(msg, cause);
}
private static final long serialVersionUID = 1L;
}
| .version 52 0
.class public super STCRuntimeError
.super java/lang/RuntimeException
.field private static final serialVersionUID J = 1L
.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 26
L5 27
.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 30
L6 31
.end linenumbertable
.end code
.end method
.sourcefile 'STCRuntimeError.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 02:03: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 STCRuntimeError_ESTest extends STCRuntimeError_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
STCRuntimeError sTCRuntimeError0 = new STCRuntimeError("1#");
STCRuntimeError sTCRuntimeError1 = new STCRuntimeError("", sTCRuntimeError0);
assertFalse(sTCRuntimeError1.equals((Object)sTCRuntimeError0));
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 02:03: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 STCRuntimeError_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 = "STCRuntimeError";
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/tmp4ypefrs3");
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(STCRuntimeError_ESTest_scaffolding.class.getClassLoader() ,
"STCRuntimeError"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(STCRuntimeError_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"STCRuntimeError"
);
}
}
| 1,410 |
Collections | import java.util.Arrays;
import java.util.List;
/** Created by User on 30.04.2016. */
public class Collections {
public static void main(String[] args) {
String[] langs = {"Java", "C#", "Python", "PHP"};
List<String> languages = Arrays.asList("Java", "C#", "Python", "PHP");
for (String l : languages) {
System.out.println(" Я хочу выучить " + l);
}
for (int i = 0; i < languages.size(); i++) {
System.out.println(" Я хочу выучить " + languages.get(i));
}
}
}
| .version 52 0
.class public super Collections
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 10
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 4 locals 5
L0: iconst_4
L1: anewarray java/lang/String
L4: dup
L5: iconst_0
L6: ldc 'Java'
L8: aastore
L9: dup
L10: iconst_1
L11: ldc 'C#'
L13: aastore
L14: dup
L15: iconst_2
L16: ldc 'Python'
L18: aastore
L19: dup
L20: iconst_3
L21: ldc 'PHP'
L23: aastore
L24: astore_1
L25: iconst_4
L26: anewarray java/lang/String
L29: dup
L30: iconst_0
L31: ldc 'Java'
L33: aastore
L34: dup
L35: iconst_1
L36: ldc 'C#'
L38: aastore
L39: dup
L40: iconst_2
L41: ldc 'Python'
L43: aastore
L44: dup
L45: iconst_3
L46: ldc 'PHP'
L48: aastore
L49: invokestatic Method java/util/Arrays asList ([Ljava/lang/Object;)Ljava/util/List;
L52: astore_2
L53: aload_2
L54: invokeinterface InterfaceMethod java/util/List iterator ()Ljava/util/Iterator; 1
L59: astore_3
.stack append Object [Ljava/lang/String; Object java/util/List Object java/util/Iterator
L60: aload_3
L61: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1
L66: ifeq L109
L69: aload_3
L70: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1
L75: checkcast java/lang/String
L78: astore 4
L80: getstatic Field java/lang/System out Ljava/io/PrintStream;
L83: new java/lang/StringBuilder
L86: dup
L87: invokespecial Method java/lang/StringBuilder <init> ()V
L90: ldc ' Я хочу выучить '
L92: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L95: aload 4
L97: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L100: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L103: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L106: goto L60
.stack chop 1
L109: iconst_0
L110: istore_3
.stack append Integer
L111: iload_3
L112: aload_2
L113: invokeinterface InterfaceMethod java/util/List size ()I 1
L118: if_icmpge L161
L121: getstatic Field java/lang/System out Ljava/io/PrintStream;
L124: new java/lang/StringBuilder
L127: dup
L128: invokespecial Method java/lang/StringBuilder <init> ()V
L131: ldc ' Я хочу выучить '
L133: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L136: aload_2
L137: iload_3
L138: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L143: checkcast java/lang/String
L146: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L149: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L152: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L155: iinc 3 1
L158: goto L111
.stack chop 1
L161: return
L162:
.linenumbertable
L0 12
L25 14
L53 16
L80 17
L106 18
L109 20
L121 21
L155 20
L161 23
.end linenumbertable
.end code
.end method
.sourcefile 'Collections.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 15:14:17 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Collections_ESTest extends Collections_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[0];
Collections.main(stringArray0);
Collections collections0 = new Collections();
String[] stringArray1 = new String[3];
Collections.main(stringArray1);
assertEquals(3, stringArray1.length);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 15:14:17 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Collections_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 = "Collections";
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/tmpg1aj27m_");
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(Collections_ESTest_scaffolding.class.getClassLoader() ,
"Collections"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Collections_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Collections"
);
}
}
| 1,411 |
StringUtils | /*
* Copyright 2012, Google Inc.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions are
* met:
*
* * Redistributions of source code must retain the above copyright
* notice, this list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above
* copyright notice, this list of conditions and the following disclaimer
* in the documentation and/or other materials provided with the
* distribution.
* * Neither the name of Google Inc. nor the names of its
* contributors may be used to endorse or promote products derived from
* this software without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
* "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
* LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
* A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
* OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
* SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
* LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
* DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
* THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
* (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
* OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*/
import java.io.IOException;
import java.io.Writer;
public class StringUtils {
public static void writeEscapedChar(Writer writer, char c) throws IOException {
if ((c >= ' ') && (c < 0x7f)) {
if ((c == '\'') || (c == '\"') || (c == '\\')) {
writer.write('\\');
}
writer.write(c);
return;
} else if (c <= 0x7f) {
switch (c) {
case '\n':
writer.write("\\n");
return;
case '\r':
writer.write("\\r");
return;
case '\t':
writer.write("\\t");
return;
}
}
writer.write("\\u");
writer.write(Character.forDigit(c >> 12, 16));
writer.write(Character.forDigit((c >> 8) & 0x0f, 16));
writer.write(Character.forDigit((c >> 4) & 0x0f, 16));
writer.write(Character.forDigit(c & 0x0f, 16));
}
public static void writeEscapedString(Writer writer, String value) throws IOException {
for (int i = 0; i < value.length(); i++) {
char c = value.charAt(i);
if ((c >= ' ') && (c < 0x7f)) {
if ((c == '\'') || (c == '\"') || (c == '\\')) {
writer.write('\\');
}
writer.write(c);
continue;
} else if (c <= 0x7f) {
switch (c) {
case '\n':
writer.write("\\n");
continue;
case '\r':
writer.write("\\r");
continue;
case '\t':
writer.write("\\t");
continue;
}
}
writer.write("\\u");
writer.write(Character.forDigit(c >> 12, 16));
writer.write(Character.forDigit((c >> 8) & 0x0f, 16));
writer.write(Character.forDigit((c >> 4) & 0x0f, 16));
writer.write(Character.forDigit(c & 0x0f, 16));
}
}
public static String escapeString(String value) {
int len = value.length();
StringBuilder sb = new StringBuilder(len * 3 / 2);
for (int i = 0; i < len; i++) {
char c = value.charAt(i);
if ((c >= ' ') && (c < 0x7f)) {
if ((c == '\'') || (c == '\"') || (c == '\\')) {
sb.append('\\');
}
sb.append(c);
continue;
} else if (c <= 0x7f) {
switch (c) {
case '\n':
sb.append("\\n");
continue;
case '\r':
sb.append("\\r");
continue;
case '\t':
sb.append("\\t");
continue;
}
}
sb.append("\\u");
sb.append(Character.forDigit(c >> 12, 16));
sb.append(Character.forDigit((c >> 8) & 0x0f, 16));
sb.append(Character.forDigit((c >> 4) & 0x0f, 16));
sb.append(Character.forDigit(c & 0x0f, 16));
}
return sb.toString();
}
}
| .version 52 0
.class public super StringUtils
.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 37
.end linenumbertable
.end code
.end method
.method public static writeEscapedChar : (Ljava/io/Writer;C)V
.code stack 3 locals 2
L0: iload_1
L1: bipush 32
L3: if_icmplt L42
L6: iload_1
L7: bipush 127
L9: if_icmpge L42
L12: iload_1
L13: bipush 39
L15: if_icmpeq L30
L18: iload_1
L19: bipush 34
L21: if_icmpeq L30
L24: iload_1
L25: bipush 92
L27: if_icmpne L36
.stack same
L30: aload_0
L31: bipush 92
L33: invokevirtual Method java/io/Writer write (I)V
.stack same
L36: aload_0
L37: iload_1
L38: invokevirtual Method java/io/Writer write (I)V
L41: return
.stack same
L42: iload_1
L43: bipush 127
L45: if_icmpgt L105
L48: iload_1
L49: tableswitch 9
L98
L84
L105
L105
L91
default : L105
.stack same
L84: aload_0
L85: ldc '\\n'
L87: invokevirtual Method java/io/Writer write (Ljava/lang/String;)V
L90: return
.stack same
L91: aload_0
L92: ldc '\\r'
L94: invokevirtual Method java/io/Writer write (Ljava/lang/String;)V
L97: return
.stack same
L98: aload_0
L99: ldc '\\t'
L101: invokevirtual Method java/io/Writer write (Ljava/lang/String;)V
L104: return
.stack same
L105: aload_0
L106: ldc '\\u'
L108: invokevirtual Method java/io/Writer write (Ljava/lang/String;)V
L111: aload_0
L112: iload_1
L113: bipush 12
L115: ishr
L116: bipush 16
L118: invokestatic Method java/lang/Character forDigit (II)C
L121: invokevirtual Method java/io/Writer write (I)V
L124: aload_0
L125: iload_1
L126: bipush 8
L128: ishr
L129: bipush 15
L131: iand
L132: bipush 16
L134: invokestatic Method java/lang/Character forDigit (II)C
L137: invokevirtual Method java/io/Writer write (I)V
L140: aload_0
L141: iload_1
L142: iconst_4
L143: ishr
L144: bipush 15
L146: iand
L147: bipush 16
L149: invokestatic Method java/lang/Character forDigit (II)C
L152: invokevirtual Method java/io/Writer write (I)V
L155: aload_0
L156: iload_1
L157: bipush 15
L159: iand
L160: bipush 16
L162: invokestatic Method java/lang/Character forDigit (II)C
L165: invokevirtual Method java/io/Writer write (I)V
L168: return
L169:
.linenumbertable
L0 39
L12 40
L30 41
L36 43
L41 44
L42 45
L48 46
L84 47
L91 48
L98 49
L105 53
L111 54
L124 55
L140 56
L155 57
L168 58
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.method public static writeEscapedString : (Ljava/io/Writer;Ljava/lang/String;)V
.code stack 3 locals 4
L0: iconst_0
L1: istore_2
.stack append Integer
L2: iload_2
L3: aload_1
L4: invokevirtual Method java/lang/String length ()I
L7: if_icmpge L196
L10: aload_1
L11: iload_2
L12: invokevirtual Method java/lang/String charAt (I)C
L15: istore_3
L16: iload_3
L17: bipush 32
L19: if_icmplt L60
L22: iload_3
L23: bipush 127
L25: if_icmpge L60
L28: iload_3
L29: bipush 39
L31: if_icmpeq L46
L34: iload_3
L35: bipush 34
L37: if_icmpeq L46
L40: iload_3
L41: bipush 92
L43: if_icmpne L52
.stack append Integer
L46: aload_0
L47: bipush 92
L49: invokevirtual Method java/io/Writer write (I)V
.stack same
L52: aload_0
L53: iload_3
L54: invokevirtual Method java/io/Writer write (I)V
L57: goto L190
.stack same
L60: iload_3
L61: bipush 127
L63: if_icmpgt L127
L66: iload_3
L67: tableswitch 9
L118
L100
L127
L127
L109
default : L127
.stack same
L100: aload_0
L101: ldc '\\n'
L103: invokevirtual Method java/io/Writer write (Ljava/lang/String;)V
L106: goto L190
.stack same
L109: aload_0
L110: ldc '\\r'
L112: invokevirtual Method java/io/Writer write (Ljava/lang/String;)V
L115: goto L190
.stack same
L118: aload_0
L119: ldc '\\t'
L121: invokevirtual Method java/io/Writer write (Ljava/lang/String;)V
L124: goto L190
.stack same
L127: aload_0
L128: ldc '\\u'
L130: invokevirtual Method java/io/Writer write (Ljava/lang/String;)V
L133: aload_0
L134: iload_3
L135: bipush 12
L137: ishr
L138: bipush 16
L140: invokestatic Method java/lang/Character forDigit (II)C
L143: invokevirtual Method java/io/Writer write (I)V
L146: aload_0
L147: iload_3
L148: bipush 8
L150: ishr
L151: bipush 15
L153: iand
L154: bipush 16
L156: invokestatic Method java/lang/Character forDigit (II)C
L159: invokevirtual Method java/io/Writer write (I)V
L162: aload_0
L163: iload_3
L164: iconst_4
L165: ishr
L166: bipush 15
L168: iand
L169: bipush 16
L171: invokestatic Method java/lang/Character forDigit (II)C
L174: invokevirtual Method java/io/Writer write (I)V
L177: aload_0
L178: iload_3
L179: bipush 15
L181: iand
L182: bipush 16
L184: invokestatic Method java/lang/Character forDigit (II)C
L187: invokevirtual Method java/io/Writer write (I)V
.stack chop 1
L190: iinc 2 1
L193: goto L2
.stack chop 1
L196: return
L197:
.linenumbertable
L0 61
L10 62
L16 64
L28 65
L46 66
L52 68
L57 69
L60 70
L66 71
L100 72
L109 73
L118 74
L127 78
L133 79
L146 80
L162 81
L177 82
L190 61
L196 84
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.method public static escapeString : (Ljava/lang/String;)Ljava/lang/String;
.code stack 4 locals 5
L0: aload_0
L1: invokevirtual Method java/lang/String length ()I
L4: istore_1
L5: new java/lang/StringBuilder
L8: dup
L9: iload_1
L10: iconst_3
L11: imul
L12: iconst_2
L13: idiv
L14: invokespecial Method java/lang/StringBuilder <init> (I)V
L17: astore_2
L18: iconst_0
L19: istore_3
.stack append Integer Object java/lang/StringBuilder Integer
L20: iload_3
L21: iload_1
L22: if_icmpge L236
L25: aload_0
L26: iload_3
L27: invokevirtual Method java/lang/String charAt (I)C
L30: istore 4
L32: iload 4
L34: bipush 32
L36: if_icmplt L84
L39: iload 4
L41: bipush 127
L43: if_icmpge L84
L46: iload 4
L48: bipush 39
L50: if_icmpeq L67
L53: iload 4
L55: bipush 34
L57: if_icmpeq L67
L60: iload 4
L62: bipush 92
L64: if_icmpne L74
.stack append Integer
L67: aload_2
L68: bipush 92
L70: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L73: pop
.stack same
L74: aload_2
L75: iload 4
L77: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L80: pop
L81: goto L230
.stack same
L84: iload 4
L86: bipush 127
L88: if_icmpgt L158
L91: iload 4
L93: tableswitch 9
L148
L128
L158
L158
L138
default : L158
.stack same
L128: aload_2
L129: ldc '\\n'
L131: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L134: pop
L135: goto L230
.stack same
L138: aload_2
L139: ldc '\\r'
L141: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L144: pop
L145: goto L230
.stack same
L148: aload_2
L149: ldc '\\t'
L151: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L154: pop
L155: goto L230
.stack same
L158: aload_2
L159: ldc '\\u'
L161: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L164: pop
L165: aload_2
L166: iload 4
L168: bipush 12
L170: ishr
L171: bipush 16
L173: invokestatic Method java/lang/Character forDigit (II)C
L176: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L179: pop
L180: aload_2
L181: iload 4
L183: bipush 8
L185: ishr
L186: bipush 15
L188: iand
L189: bipush 16
L191: invokestatic Method java/lang/Character forDigit (II)C
L194: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L197: pop
L198: aload_2
L199: iload 4
L201: iconst_4
L202: ishr
L203: bipush 15
L205: iand
L206: bipush 16
L208: invokestatic Method java/lang/Character forDigit (II)C
L211: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L214: pop
L215: aload_2
L216: iload 4
L218: bipush 15
L220: iand
L221: bipush 16
L223: invokestatic Method java/lang/Character forDigit (II)C
L226: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L229: pop
.stack chop 1
L230: iinc 3 1
L233: goto L20
.stack chop 1
L236: aload_2
L237: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L240: areturn
L241:
.linenumbertable
L0 87
L5 88
L18 90
L25 91
L32 93
L46 94
L67 95
L74 97
L81 98
L84 99
L91 100
L128 101
L138 102
L148 103
L158 107
L165 108
L180 109
L198 110
L215 111
L230 90
L236 114
.end linenumbertable
.end code
.end method
.sourcefile 'StringUtils.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 02:25:15 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.io.StringWriter;
import java.io.Writer;
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 StringUtils_ESTest extends StringUtils_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
StringWriter stringWriter0 = new StringWriter();
String string0 = "\\u";
StringUtils.writeEscapedString(stringWriter0, string0);
StringUtils.writeEscapedString(stringWriter0, string0);
StringUtils stringUtils0 = new StringUtils();
StringUtils.writeEscapedString(stringWriter0, "rQ]0|[_?l");
StringUtils.writeEscapedChar(stringWriter0, '9');
assertEquals("\\\\u\\\\urQ]0|[_?l9", stringWriter0.toString());
}
@Test(timeout = 4000)
public void test01() throws Throwable {
// Undeclared exception!
try {
StringUtils.writeEscapedChar((Writer) null, 'u');
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("StringUtils", e);
}
}
@Test(timeout = 4000)
public void test02() throws Throwable {
StringWriter stringWriter0 = new StringWriter();
StringUtils.writeEscapedChar(stringWriter0, '!');
assertEquals("!", stringWriter0.toString());
}
@Test(timeout = 4000)
public void test03() throws Throwable {
StringUtils.escapeString("");
// Undeclared exception!
try {
StringUtils.writeEscapedChar((Writer) null, ':');
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("StringUtils", e);
}
}
@Test(timeout = 4000)
public void test04() throws Throwable {
String string0 = StringUtils.escapeString("\n");
assertEquals("\\n", string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
String string0 = StringUtils.escapeString("\t");
assertEquals("\\t", string0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
String string0 = StringUtils.escapeString(";e!)nz+$;\".");
assertEquals(";e!)nz+$;\\\".", string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
String string0 = StringUtils.escapeString("X2]Uk;{7:J<H'`*kW:Y");
assertEquals("X2]Uk;{7:J<H\\'`*kW:Y", string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
StringUtils.escapeString("ez%=3;1_ees2Z7tk?p");
// Undeclared exception!
try {
StringUtils.writeEscapedString((Writer) null, "ez%=3;1_ees2Z7tk?p");
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("StringUtils", e);
}
}
@Test(timeout = 4000)
public void test09() throws Throwable {
String string0 = StringUtils.escapeString("PI|SP/1mW!A}");
assertEquals("PI|SP/1mW!A}", string0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
String string0 = StringUtils.escapeString("\r");
assertEquals("\\r", string0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
StringWriter stringWriter0 = new StringWriter(0);
StringUtils.writeEscapedString(stringWriter0, "3GPGwnxFBn/");
assertEquals("3GPGwnxF\\u007fBn/", stringWriter0.toString());
}
@Test(timeout = 4000)
public void test12() throws Throwable {
StringWriter stringWriter0 = new StringWriter();
StringUtils.writeEscapedString(stringWriter0, "\r");
assertEquals("\\r", stringWriter0.toString());
}
@Test(timeout = 4000)
public void test13() throws Throwable {
StringWriter stringWriter0 = new StringWriter();
StringUtils.writeEscapedString(stringWriter0, "PI|SP/1mW!A}");
assertEquals("PI|SP/1mW!A}", stringWriter0.toString());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 02:25:15 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class StringUtils_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 = "StringUtils";
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/tmp0iesn0me");
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(StringUtils_ESTest_scaffolding.class.getClassLoader() ,
"StringUtils"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(StringUtils_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"StringUtils"
);
}
}
| 1,412 |
OpenEchRoles | public class OpenEchRoles {
public static final String administrate = "administrate";
public static final String importExport = "importExport";
public static final String modify = "modify";
public static final String view = "view";
public static final String estate = "estate";
}
| .version 52 0
.class public super OpenEchRoles
.super java/lang/Object
.field public static final administrate Ljava/lang/String; = 'administrate'
.field public static final importExport Ljava/lang/String; = 'importExport'
.field public static final modify Ljava/lang/String; = 'modify'
.field public static final view Ljava/lang/String; = 'view'
.field public static final estate Ljava/lang/String; = 'estate'
.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 'OpenEchRoles.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 19:21:44 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 OpenEchRoles_ESTest extends OpenEchRoles_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
OpenEchRoles openEchRoles0 = new OpenEchRoles();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 19:21:44 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 OpenEchRoles_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 = "OpenEchRoles";
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/tmp8xgr2n_k");
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(OpenEchRoles_ESTest_scaffolding.class.getClassLoader() ,
"OpenEchRoles"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(OpenEchRoles_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"OpenEchRoles"
);
}
}
| 1,413 |
IntegerCacheDemo | /**
* @author soyona @Package sample.review.integer @Desc: Integer a = 127 过程 1、<clinit阶段> 变量 a 初始化 0值,
* 1.1、调Integer.getInteger(String nm, int val) 1.2、Integer.valueOf(int i)
* 1.3、IntegerCache.cache[i + (-IntegerCache.low)] 1.4、分析一下代码: if (i >= IntegerCache.low && i <=
* IntegerCache.high)//IntegerCache.low =-128,IntegerCache.high=127 return IntegerCache.cache[i
* + (-IntegerCache.low)];//返回缓存 return new Integer(i);//否则 new 新对象
* @date 2018/5/30 14:22
*/
class IntegerCacheDemo {
public static void main(String[] args) {
Integer a = 127;
Integer b = 127;
System.out.println("a1=127,b1=127 :" + (a == b));
Integer a1 = 128;
Integer b1 = 128;
System.out.println("a1=128,b1=128 :" + (a1 == b1));
}
}
| .version 52 0
.class super IntegerCacheDemo
.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 17
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 4 locals 5
L0: bipush 127
L2: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L5: astore_1
L6: bipush 127
L8: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L11: astore_2
L12: getstatic Field java/lang/System out Ljava/io/PrintStream;
L15: new java/lang/StringBuilder
L18: dup
L19: invokespecial Method java/lang/StringBuilder <init> ()V
L22: ldc 'a1=127,b1=127 :'
L24: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L27: aload_1
L28: aload_2
L29: if_acmpne L36
L32: iconst_1
L33: goto L37
.stack full
locals Object [Ljava/lang/String; Object java/lang/Integer Object java/lang/Integer
stack Object java/io/PrintStream Object java/lang/StringBuilder
.end stack
L36: iconst_0
.stack full
locals Object [Ljava/lang/String; Object java/lang/Integer Object java/lang/Integer
stack Object java/io/PrintStream Object java/lang/StringBuilder Integer
.end stack
L37: invokevirtual Method java/lang/StringBuilder append (Z)Ljava/lang/StringBuilder;
L40: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L43: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L46: sipush 128
L49: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L52: astore_3
L53: sipush 128
L56: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L59: astore 4
L61: getstatic Field java/lang/System out Ljava/io/PrintStream;
L64: new java/lang/StringBuilder
L67: dup
L68: invokespecial Method java/lang/StringBuilder <init> ()V
L71: ldc 'a1=128,b1=128 :'
L73: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L76: aload_3
L77: aload 4
L79: if_acmpne L86
L82: iconst_1
L83: goto L87
.stack full
locals Object [Ljava/lang/String; Object java/lang/Integer Object java/lang/Integer Object java/lang/Integer Object java/lang/Integer
stack Object java/io/PrintStream Object java/lang/StringBuilder
.end stack
L86: iconst_0
.stack full
locals Object [Ljava/lang/String; Object java/lang/Integer Object java/lang/Integer Object java/lang/Integer Object java/lang/Integer
stack Object java/io/PrintStream Object java/lang/StringBuilder Integer
.end stack
L87: invokevirtual Method java/lang/StringBuilder append (Z)Ljava/lang/StringBuilder;
L90: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L93: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L96: return
L97:
.linenumbertable
L0 20
L6 21
L12 22
L46 24
L53 25
L61 26
L96 27
.end linenumbertable
.end code
.end method
.sourcefile 'IntegerCacheDemo.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 19:19:25 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class IntegerCacheDemo_ESTest extends IntegerCacheDemo_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[4];
IntegerCacheDemo.main(stringArray0);
assertEquals(4, stringArray0.length);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
IntegerCacheDemo integerCacheDemo0 = new IntegerCacheDemo();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 19:19:25 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class IntegerCacheDemo_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 = "IntegerCacheDemo";
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/tmpkkr2i286");
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(IntegerCacheDemo_ESTest_scaffolding.class.getClassLoader() ,
"IntegerCacheDemo"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(IntegerCacheDemo_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"IntegerCacheDemo"
);
}
}
| 1,414 |
ValidationResult | public final class ValidationResult {
public final boolean successful;
public final String hint;
public ValidationResult(boolean successful, String hint) {
this.successful = successful;
this.hint = hint != null ? hint : "";
}
}
| .version 52 0
.class public final super ValidationResult
.super java/lang/Object
.field public final successful Z
.field public final hint Ljava/lang/String;
.method public <init> : (ZLjava/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 ValidationResult successful Z
L9: aload_0
L10: aload_2
L11: ifnull L18
L14: aload_2
L15: goto L20
.stack full
locals Object ValidationResult Integer Object java/lang/String
stack Object ValidationResult
.end stack
L18: ldc ''
.stack full
locals Object ValidationResult Integer Object java/lang/String
stack Object ValidationResult Object java/lang/String
.end stack
L20: putfield Field ValidationResult hint Ljava/lang/String;
L23: return
L24:
.linenumbertable
L0 7
L4 8
L9 9
L23 10
.end linenumbertable
.end code
.end method
.sourcefile 'ValidationResult.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 15:08: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 ValidationResult_ESTest extends ValidationResult_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ValidationResult validationResult0 = new ValidationResult(true, "v>Z{+zh");
assertTrue(validationResult0.successful);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
ValidationResult validationResult0 = new ValidationResult(true, (String) null);
assertTrue(validationResult0.successful);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 15:08: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 ValidationResult_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 = "ValidationResult";
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/tmp7mnjjq9q");
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(ValidationResult_ESTest_scaffolding.class.getClassLoader() ,
"ValidationResult"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ValidationResult_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ValidationResult"
);
}
}
| 1,415 |
UserRegisterBindingModel | public class UserRegisterBindingModel {
private String username;
private String password;
private String confirmPassword;
private String email;
public UserRegisterBindingModel() {}
public String getUsername() {
return this.username;
}
public void setUsername(String username) {
this.username = username;
}
public String getPassword() {
return this.password;
}
public void setPassword(String password) {
this.password = password;
}
public String getConfirmPassword() {
return this.confirmPassword;
}
public void setConfirmPassword(String confirmPassword) {
this.confirmPassword = confirmPassword;
}
public String getEmail() {
return this.email;
}
public void setEmail(String email) {
this.email = email;
}
}
| .version 52 0
.class public super UserRegisterBindingModel
.super java/lang/Object
.field private username Ljava/lang/String;
.field private password Ljava/lang/String;
.field private confirmPassword Ljava/lang/String;
.field private email 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 10
L4 11
.end linenumbertable
.end code
.end method
.method public getUsername : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserRegisterBindingModel username Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 14
.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 UserRegisterBindingModel username Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 18
L5 19
.end linenumbertable
.end code
.end method
.method public getPassword : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserRegisterBindingModel password Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 22
.end linenumbertable
.end code
.end method
.method public setPassword : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserRegisterBindingModel password Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 26
L5 27
.end linenumbertable
.end code
.end method
.method public getConfirmPassword : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserRegisterBindingModel confirmPassword Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 30
.end linenumbertable
.end code
.end method
.method public setConfirmPassword : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserRegisterBindingModel confirmPassword Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 34
L5 35
.end linenumbertable
.end code
.end method
.method public getEmail : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserRegisterBindingModel email Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 38
.end linenumbertable
.end code
.end method
.method public setEmail : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserRegisterBindingModel email Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 42
L5 43
.end linenumbertable
.end code
.end method
.sourcefile 'UserRegisterBindingModel.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 13:18: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 UserRegisterBindingModel_ESTest extends UserRegisterBindingModel_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
UserRegisterBindingModel userRegisterBindingModel0 = new UserRegisterBindingModel();
userRegisterBindingModel0.setUsername("fq7p@$?]M7AED*YK'");
String string0 = userRegisterBindingModel0.getUsername();
assertEquals("fq7p@$?]M7AED*YK'", string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
UserRegisterBindingModel userRegisterBindingModel0 = new UserRegisterBindingModel();
userRegisterBindingModel0.setUsername("");
String string0 = userRegisterBindingModel0.getUsername();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
UserRegisterBindingModel userRegisterBindingModel0 = new UserRegisterBindingModel();
userRegisterBindingModel0.setPassword("");
String string0 = userRegisterBindingModel0.getPassword();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
UserRegisterBindingModel userRegisterBindingModel0 = new UserRegisterBindingModel();
userRegisterBindingModel0.setEmail("[0 88/1E8+S^");
String string0 = userRegisterBindingModel0.getEmail();
assertEquals("[0 88/1E8+S^", string0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
UserRegisterBindingModel userRegisterBindingModel0 = new UserRegisterBindingModel();
userRegisterBindingModel0.setConfirmPassword("a");
String string0 = userRegisterBindingModel0.getConfirmPassword();
assertEquals("a", string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
UserRegisterBindingModel userRegisterBindingModel0 = new UserRegisterBindingModel();
String string0 = userRegisterBindingModel0.getEmail();
assertNull(string0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
UserRegisterBindingModel userRegisterBindingModel0 = new UserRegisterBindingModel();
userRegisterBindingModel0.setPassword("fq7p@$?]M7AED*YK'");
String string0 = userRegisterBindingModel0.getPassword();
assertEquals("fq7p@$?]M7AED*YK'", string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
UserRegisterBindingModel userRegisterBindingModel0 = new UserRegisterBindingModel();
String string0 = userRegisterBindingModel0.getPassword();
assertNull(string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
UserRegisterBindingModel userRegisterBindingModel0 = new UserRegisterBindingModel();
userRegisterBindingModel0.setConfirmPassword("");
String string0 = userRegisterBindingModel0.getConfirmPassword();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
UserRegisterBindingModel userRegisterBindingModel0 = new UserRegisterBindingModel();
userRegisterBindingModel0.setEmail("");
String string0 = userRegisterBindingModel0.getEmail();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
UserRegisterBindingModel userRegisterBindingModel0 = new UserRegisterBindingModel();
String string0 = userRegisterBindingModel0.getUsername();
assertNull(string0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
UserRegisterBindingModel userRegisterBindingModel0 = new UserRegisterBindingModel();
String string0 = userRegisterBindingModel0.getConfirmPassword();
assertNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 13:18: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 UserRegisterBindingModel_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 = "UserRegisterBindingModel";
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_nip5av9");
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(UserRegisterBindingModel_ESTest_scaffolding.class.getClassLoader() ,
"UserRegisterBindingModel"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UserRegisterBindingModel_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"UserRegisterBindingModel"
);
}
}
| 1,416 |
CalculateAccountSpendingResult | public class CalculateAccountSpendingResult {
public double total;
public void setTotal(double total) {
this.total = total;
}
public double getTotal() {
return this.total;
}
public java.util.List spending;
public void setSpending(java.util.List spending) {
this.spending = spending;
}
public java.util.List getSpending() {
return this.spending;
}
}
| .version 52 0
.class public super CalculateAccountSpendingResult
.super java/lang/Object
.field public total D
.field public spending Ljava/util/List;
.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 setTotal : (D)V
.code stack 3 locals 3
L0: aload_0
L1: dload_1
L2: putfield Field CalculateAccountSpendingResult total D
L5: return
L6:
.linenumbertable
L0 8
L5 9
.end linenumbertable
.end code
.end method
.method public getTotal : ()D
.code stack 2 locals 1
L0: aload_0
L1: getfield Field CalculateAccountSpendingResult total D
L4: dreturn
L5:
.linenumbertable
L0 11
.end linenumbertable
.end code
.end method
.method public setSpending : (Ljava/util/List;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field CalculateAccountSpendingResult spending Ljava/util/List;
L5: return
L6:
.linenumbertable
L0 16
L5 17
.end linenumbertable
.end code
.end method
.method public getSpending : ()Ljava/util/List;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CalculateAccountSpendingResult spending Ljava/util/List;
L4: areturn
L5:
.linenumbertable
L0 19
.end linenumbertable
.end code
.end method
.sourcefile 'CalculateAccountSpendingResult.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 00:14:33 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 CalculateAccountSpendingResult_ESTest extends CalculateAccountSpendingResult_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
CalculateAccountSpendingResult calculateAccountSpendingResult0 = new CalculateAccountSpendingResult();
calculateAccountSpendingResult0.setTotal(1075.8376089259873);
double double0 = calculateAccountSpendingResult0.getTotal();
assertEquals(1075.8376089259873, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
CalculateAccountSpendingResult calculateAccountSpendingResult0 = new CalculateAccountSpendingResult();
calculateAccountSpendingResult0.setTotal((-27043.991295533));
double double0 = calculateAccountSpendingResult0.getTotal();
assertEquals((-27043.991295533), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
CalculateAccountSpendingResult calculateAccountSpendingResult0 = new CalculateAccountSpendingResult();
LinkedList<Object> linkedList0 = new LinkedList<Object>();
calculateAccountSpendingResult0.setSpending(linkedList0);
List list0 = calculateAccountSpendingResult0.getSpending();
assertEquals(0, list0.size());
}
@Test(timeout = 4000)
public void test3() throws Throwable {
CalculateAccountSpendingResult calculateAccountSpendingResult0 = new CalculateAccountSpendingResult();
LinkedList<Object> linkedList0 = new LinkedList<Object>();
Object object0 = new Object();
linkedList0.add(object0);
calculateAccountSpendingResult0.setSpending(linkedList0);
List list0 = calculateAccountSpendingResult0.getSpending();
assertEquals(1, list0.size());
}
@Test(timeout = 4000)
public void test4() throws Throwable {
CalculateAccountSpendingResult calculateAccountSpendingResult0 = new CalculateAccountSpendingResult();
double double0 = calculateAccountSpendingResult0.getTotal();
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
CalculateAccountSpendingResult calculateAccountSpendingResult0 = new CalculateAccountSpendingResult();
List list0 = calculateAccountSpendingResult0.getSpending();
assertNull(list0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 00:14: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 CalculateAccountSpendingResult_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 = "CalculateAccountSpendingResult";
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/tmp2_w4153u");
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(CalculateAccountSpendingResult_ESTest_scaffolding.class.getClassLoader() ,
"CalculateAccountSpendingResult"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CalculateAccountSpendingResult_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"CalculateAccountSpendingResult"
);
}
}
| 1,417 |
Solution | public class Solution {
/*public int maximumProduct(int[] nums) {
Arrays.sort(nums);
return Math.max(nums[0] * nums[1] * nums[nums.length - 1], nums[nums.length - 1] * nums[nums.length - 2] * nums[nums.length - 3]);
}*/
public int maximumProduct(int[] nums) {
int min1 = Integer.MAX_VALUE, min2 = Integer.MAX_VALUE;
int max1 = Integer.MIN_VALUE, max2 = Integer.MIN_VALUE, max3 = Integer.MIN_VALUE;
for (int n : nums) {
if (n <= min1) {
min2 = min1;
min1 = n;
} else if (n <= min2) { // n lies between min1 and min2
min2 = n;
}
if (n >= max1) { // n is greater than max1, max2 and max3
max3 = max2;
max2 = max1;
max1 = n;
} else if (n >= max2) { // n lies betweeen max1 and max2
max3 = max2;
max2 = n;
} else if (n >= max3) { // n lies betwen max2 and max3
max3 = n;
}
}
return Math.max(min1 * min2 * max1, max1 * max2 * max3);
}
}
| .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 1
.end linenumbertable
.end code
.end method
.method public maximumProduct : ([I)I
.code stack 3 locals 11
L0: ldc 2147483647
L2: istore_2
L3: ldc 2147483647
L5: istore_3
L6: ldc -2147483648
L8: istore 4
L10: ldc -2147483648
L12: istore 5
L14: ldc -2147483648
L16: istore 6
L18: aload_1
L19: astore 7
L21: aload 7
L23: arraylength
L24: istore 8
L26: iconst_0
L27: istore 9
.stack full
locals Object Solution Object [I Integer Integer Integer Integer Integer Object [I Integer Integer
stack
.end stack
L29: iload 9
L31: iload 8
L33: if_icmpge L123
L36: aload 7
L38: iload 9
L40: iaload
L41: istore 10
L43: iload 10
L45: iload_2
L46: if_icmpgt L57
L49: iload_2
L50: istore_3
L51: iload 10
L53: istore_2
L54: goto L66
.stack append Integer
L57: iload 10
L59: iload_3
L60: if_icmpgt L66
L63: iload 10
L65: istore_3
.stack same
L66: iload 10
L68: iload 4
L70: if_icmplt L88
L73: iload 5
L75: istore 6
L77: iload 4
L79: istore 5
L81: iload 10
L83: istore 4
L85: goto L117
.stack same
L88: iload 10
L90: iload 5
L92: if_icmplt L106
L95: iload 5
L97: istore 6
L99: iload 10
L101: istore 5
L103: goto L117
.stack same
L106: iload 10
L108: iload 6
L110: if_icmplt L117
L113: iload 10
L115: istore 6
.stack chop 1
L117: iinc 9 1
L120: goto L29
.stack chop 3
L123: iload_2
L124: iload_3
L125: imul
L126: iload 4
L128: imul
L129: iload 4
L131: iload 5
L133: imul
L134: iload 6
L136: imul
L137: invokestatic Method java/lang/Math max (II)I
L140: ireturn
L141:
.linenumbertable
L0 8
L6 9
L18 10
L43 11
L49 12
L51 13
L57 14
L63 15
L66 17
L73 18
L77 19
L81 20
L88 21
L95 22
L99 23
L106 24
L113 25
L117 10
L123 28
.end linenumbertable
.end code
.end method
.sourcefile 'Solution.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 17:50:30 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 solution0 = new Solution();
int[] intArray0 = new int[7];
intArray0[1] = 1203120080;
intArray0[3] = 19668;
intArray0[6] = 1203120080;
int int0 = solution0.maximumProduct(intArray0);
assertEquals(709325824, int0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Solution solution0 = new Solution();
int[] intArray0 = new int[5];
intArray0[0] = 1;
intArray0[1] = 45282;
int int0 = solution0.maximumProduct(intArray0);
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Solution solution0 = new Solution();
int[] intArray0 = new int[6];
intArray0[2] = (-58266);
intArray0[3] = 19668;
solution0.maximumProduct(intArray0);
int int0 = solution0.maximumProduct(intArray0);
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Solution solution0 = new Solution();
int[] intArray0 = new int[6];
intArray0[2] = (-58266);
intArray0[3] = 19668;
intArray0[5] = (-13722);
int int0 = solution0.maximumProduct(intArray0);
assertEquals(1203120080, int0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Solution solution0 = new Solution();
int[] intArray0 = new int[3];
intArray0[0] = 18419;
intArray0[1] = (-1);
intArray0[2] = 41236;
int int0 = solution0.maximumProduct(intArray0);
assertEquals((-759525884), int0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 17:50: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 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/tmp9p_ugnvh");
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,418 |
DeleteDocumentResult | /*
* Copyright 2010-2016 Amazon.com, Inc. or its affiliates. All Rights
* Reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License").
* You may not use this file except in compliance with the License.
* A copy of the License is located at
*
* http://aws.amazon.com/apache2.0
*
* or in the "license" file accompanying this file. This file is distributed
* on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either
* express or implied. See the License for the specific language governing
* permissions and limitations under the License.
*/
import java.io.Serializable;
/** */
public class DeleteDocumentResult 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 DeleteDocumentResult == false) return false;
DeleteDocumentResult other = (DeleteDocumentResult) obj;
return true;
}
@Override
public int hashCode() {
final int prime = 31;
int hashCode = 1;
return hashCode;
}
@Override
public DeleteDocumentResult clone() {
try {
return (DeleteDocumentResult) 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 DeleteDocumentResult
.super java/lang/Object
.implements java/io/Serializable
.implements java/lang/Cloneable
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 24
.end linenumbertable
.end code
.end method
.method public toString : ()Ljava/lang/String;
.code stack 2 locals 2
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: astore_1
L8: aload_1
L9: ldc '{'
L11: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L14: pop
L15: aload_1
L16: ldc '}'
L18: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L21: pop
L22: aload_1
L23: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L26: areturn
L27:
.linenumbertable
L0 36
L8 37
L15 38
L22 39
.end linenumbertable
.end code
.end method
.method public equals : (Ljava/lang/Object;)Z
.code stack 2 locals 3
L0: aload_0
L1: aload_1
L2: if_acmpne L7
L5: iconst_1
L6: ireturn
.stack same
L7: aload_1
L8: ifnonnull L13
L11: iconst_0
L12: ireturn
.stack same
L13: aload_1
L14: instanceof DeleteDocumentResult
L17: ifne L22
L20: iconst_0
L21: ireturn
.stack same
L22: aload_1
L23: checkcast DeleteDocumentResult
L26: astore_2
L27: iconst_1
L28: ireturn
L29:
.linenumbertable
L0 44
L5 45
L7 46
L11 47
L13 49
L20 50
L22 51
L27 52
.end linenumbertable
.end code
.end method
.method public hashCode : ()I
.code stack 1 locals 3
L0: iconst_1
L1: istore_2
L2: iload_2
L3: ireturn
L4:
.linenumbertable
L0 58
L2 60
.end linenumbertable
.end code
.end method
.method public clone : ()LDeleteDocumentResult;
.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 DeleteDocumentResult
L7: areturn
.stack stack_1 Object java/lang/CloneNotSupportedException
L8: astore_1
L9: new java/lang/IllegalStateException
L12: dup
L13: ldc "Got a CloneNotSupportedException from Object.clone() even though we're Cloneable!"
L15: aload_1
L16: invokespecial Method java/lang/IllegalStateException <init> (Ljava/lang/String;Ljava/lang/Throwable;)V
L19: athrow
L20:
.linenumbertable
L0 66
L8 67
L9 68
.end linenumbertable
.end code
.end method
.method public bridge synthetic clone : ()Ljava/lang/Object;
.code stack 1 locals 1
L0: aload_0
L1: invokevirtual Method DeleteDocumentResult clone ()LDeleteDocumentResult;
L4: areturn
L5:
.linenumbertable
L0 24
.end linenumbertable
.end code
.exceptions java/lang/CloneNotSupportedException
.end method
.sourcefile 'DeleteDocumentResult.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 21:11: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 DeleteDocumentResult_ESTest extends DeleteDocumentResult_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
DeleteDocumentResult deleteDocumentResult0 = new DeleteDocumentResult();
boolean boolean0 = deleteDocumentResult0.equals("{}");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
DeleteDocumentResult deleteDocumentResult0 = new DeleteDocumentResult();
boolean boolean0 = deleteDocumentResult0.equals(deleteDocumentResult0);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
DeleteDocumentResult deleteDocumentResult0 = new DeleteDocumentResult();
boolean boolean0 = deleteDocumentResult0.equals((Object) null);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
DeleteDocumentResult deleteDocumentResult0 = new DeleteDocumentResult();
String string0 = deleteDocumentResult0.toString();
assertEquals("{}", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
DeleteDocumentResult deleteDocumentResult0 = new DeleteDocumentResult();
deleteDocumentResult0.hashCode();
}
@Test(timeout = 4000)
public void test5() throws Throwable {
DeleteDocumentResult deleteDocumentResult0 = new DeleteDocumentResult();
DeleteDocumentResult deleteDocumentResult1 = deleteDocumentResult0.clone();
boolean boolean0 = deleteDocumentResult1.equals(deleteDocumentResult0);
assertTrue(boolean0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 21:11: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 DeleteDocumentResult_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 = "DeleteDocumentResult";
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/tmp1uagqieh");
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(DeleteDocumentResult_ESTest_scaffolding.class.getClassLoader() ,
"DeleteDocumentResult"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DeleteDocumentResult_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"DeleteDocumentResult"
);
}
}
| 1,419 |
ReportCancelledException | /*
* Copyright (c) 2016, The National Archives <[email protected]>
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following
* conditions are met:
*
* * Redistributions of source code must retain the above copyright
* notice, this list of conditions and the following disclaimer.
*
* * Redistributions in binary form must reproduce the above copyright
* notice, this list of conditions and the following disclaimer in the
* documentation and/or other materials provided with the distribution.
*
* * Neither the name of the The National Archives nor the
* names of its contributors may be used to endorse or promote products
* derived from this software without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
* AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
* IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
* PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR
* CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL,
* EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO,
* PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF
* LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING
* NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS
* SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @author rflitcroft
*/
public class ReportCancelledException extends Exception {
private static final long serialVersionUID = 90383515994426419L;
}
| .version 52 0
.class public super ReportCancelledException
.super java/lang/Exception
.field private static final serialVersionUID J = 90383515994426419L
.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 38
.end linenumbertable
.end code
.end method
.sourcefile 'ReportCancelledException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 03:47:51 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 ReportCancelledException_ESTest extends ReportCancelledException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ReportCancelledException reportCancelledException0 = new ReportCancelledException();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 03:47: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 ReportCancelledException_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 = "ReportCancelledException";
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/tmp719cst3b");
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(ReportCancelledException_ESTest_scaffolding.class.getClassLoader() ,
"ReportCancelledException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ReportCancelledException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ReportCancelledException"
);
}
}
| 1,420 |
VEnvironment | /*
* #%L
* OpenNaaS :: VNMapper Resource
* %%
* Copyright (C) 2007 - 2014 Fundació Privada i2CAT, Internet i Innovació a Catalunya
* %%
* 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.
* #L%
*/
import java.io.Serializable;
public class VEnvironment implements Serializable {
private static final long serialVersionUID = -7632392424323903202L;
private int vType;
private int vEnv;
public int getvType() {
return vType;
}
public void setvType(int vType) {
this.vType = vType;
}
public int getvEnv() {
return vEnv;
}
public void setvEnv(int vEnv) {
this.vEnv = vEnv;
}
}
| .version 52 0
.class public super VEnvironment
.super java/lang/Object
.implements java/io/Serializable
.field private static final serialVersionUID J = -7632392424323903202L
.field private vType I
.field private vEnv I
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 25
.end linenumbertable
.end code
.end method
.method public getvType : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field VEnvironment vType I
L4: ireturn
L5:
.linenumbertable
L0 33
.end linenumbertable
.end code
.end method
.method public setvType : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field VEnvironment vType I
L5: return
L6:
.linenumbertable
L0 37
L5 38
.end linenumbertable
.end code
.end method
.method public getvEnv : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field VEnvironment vEnv I
L4: ireturn
L5:
.linenumbertable
L0 41
.end linenumbertable
.end code
.end method
.method public setvEnv : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field VEnvironment vEnv I
L5: return
L6:
.linenumbertable
L0 45
L5 46
.end linenumbertable
.end code
.end method
.sourcefile 'VEnvironment.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 17:01:43 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class VEnvironment_ESTest extends VEnvironment_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
VEnvironment vEnvironment0 = new VEnvironment();
vEnvironment0.setvType(21900);
int int0 = vEnvironment0.getvType();
assertEquals(21900, int0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
VEnvironment vEnvironment0 = new VEnvironment();
vEnvironment0.setvType((-1));
int int0 = vEnvironment0.getvType();
assertEquals((-1), int0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
VEnvironment vEnvironment0 = new VEnvironment();
vEnvironment0.setvEnv(13148);
int int0 = vEnvironment0.getvEnv();
assertEquals(13148, int0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
VEnvironment vEnvironment0 = new VEnvironment();
int int0 = vEnvironment0.getvType();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
VEnvironment vEnvironment0 = new VEnvironment();
int int0 = vEnvironment0.getvEnv();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
VEnvironment vEnvironment0 = new VEnvironment();
vEnvironment0.setvEnv((-1));
int int0 = vEnvironment0.getvEnv();
assertEquals((-1), int0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 17:01:43 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class VEnvironment_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 = "VEnvironment";
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/tmp5jjurm68");
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(VEnvironment_ESTest_scaffolding.class.getClassLoader() ,
"VEnvironment"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(VEnvironment_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"VEnvironment"
);
}
}
| 1,421 |
OMGJavaDecoder | import java.io.IOException;
import java.io.InputStream;
import java.io.Reader;
import java.nio.ByteBuffer;
import java.nio.CharBuffer;
import java.nio.charset.Charset;
import java.nio.charset.CharsetDecoder;
public class OMGJavaDecoder extends Reader {
private static final Charset UTF_8 = Charset.forName("UTF-8");
private CharsetDecoder decoder = UTF_8.newDecoder();
private InputStream delegate;
private ByteBuffer byteBuffer;
private CharBuffer charBuffer;
private boolean closed;
public OMGJavaDecoder(InputStream input, int bufferSize) {
byteBuffer = ByteBuffer.wrap(new byte[bufferSize]);
charBuffer = CharBuffer.allocate(bufferSize);
this.delegate = input;
charBuffer.flip();
byteBuffer.flip();
}
@Override
public int read(char[] cbuf, int off, int len) throws IOException {
for (; ; ) {
int numRemaining = charBuffer.remaining();
if (numRemaining > 0) {
if (len > numRemaining) len = numRemaining;
charBuffer.get(cbuf, off, len);
return len;
}
if (closed) return -1;
if (byteBuffer.hasRemaining()) {
charBuffer.compact();
decoder.decode(byteBuffer, charBuffer, false);
charBuffer.flip();
if (charBuffer.hasRemaining()) {
continue;
}
}
byteBuffer.compact();
int nread =
delegate.read(
byteBuffer.array(),
byteBuffer.position(),
byteBuffer.limit() - byteBuffer.position());
if (nread < 0) {
closed = true;
byteBuffer.flip();
charBuffer.compact();
decoder.decode(byteBuffer, charBuffer, true);
charBuffer.flip();
byteBuffer.compact();
continue;
}
byteBuffer.position(byteBuffer.position() + nread);
byteBuffer.flip();
charBuffer.compact();
decoder.decode(byteBuffer, charBuffer, false);
charBuffer.flip();
}
}
@Override
public void close() throws IOException {
delegate.close();
}
}
| .version 52 0
.class public super OMGJavaDecoder
.super java/io/Reader
.field private static final UTF_8 Ljava/nio/charset/Charset;
.field private decoder Ljava/nio/charset/CharsetDecoder;
.field private delegate Ljava/io/InputStream;
.field private byteBuffer Ljava/nio/ByteBuffer;
.field private charBuffer Ljava/nio/CharBuffer;
.field private closed Z
.method public <init> : (Ljava/io/InputStream;I)V
.code stack 2 locals 3
L0: aload_0
L1: invokespecial Method java/io/Reader <init> ()V
L4: aload_0
L5: getstatic Field OMGJavaDecoder UTF_8 Ljava/nio/charset/Charset;
L8: invokevirtual Method java/nio/charset/Charset newDecoder ()Ljava/nio/charset/CharsetDecoder;
L11: putfield Field OMGJavaDecoder decoder Ljava/nio/charset/CharsetDecoder;
L14: aload_0
L15: iload_2
L16: newarray byte
L18: invokestatic Method java/nio/ByteBuffer wrap ([B)Ljava/nio/ByteBuffer;
L21: putfield Field OMGJavaDecoder byteBuffer Ljava/nio/ByteBuffer;
L24: aload_0
L25: iload_2
L26: invokestatic Method java/nio/CharBuffer allocate (I)Ljava/nio/CharBuffer;
L29: putfield Field OMGJavaDecoder charBuffer Ljava/nio/CharBuffer;
L32: aload_0
L33: aload_1
L34: putfield Field OMGJavaDecoder delegate Ljava/io/InputStream;
L37: aload_0
L38: getfield Field OMGJavaDecoder charBuffer Ljava/nio/CharBuffer;
L41: invokevirtual Method java/nio/CharBuffer flip ()Ljava/nio/Buffer;
L44: pop
L45: aload_0
L46: getfield Field OMGJavaDecoder byteBuffer Ljava/nio/ByteBuffer;
L49: invokevirtual Method java/nio/ByteBuffer flip ()Ljava/nio/Buffer;
L52: pop
L53: return
L54:
.linenumbertable
L0 25
L4 16
L14 26
L24 27
L32 29
L37 30
L45 31
L53 32
.end linenumbertable
.end code
.end method
.method public read : ([CII)I
.code stack 5 locals 6
.stack same
L0: aload_0
L1: getfield Field OMGJavaDecoder charBuffer Ljava/nio/CharBuffer;
L4: invokevirtual Method java/nio/CharBuffer remaining ()I
L7: istore 4
L9: iload 4
L11: ifle L36
L14: iload_3
L15: iload 4
L17: if_icmple L23
L20: iload 4
L22: istore_3
.stack append Integer
L23: aload_0
L24: getfield Field OMGJavaDecoder charBuffer Ljava/nio/CharBuffer;
L27: aload_1
L28: iload_2
L29: iload_3
L30: invokevirtual Method java/nio/CharBuffer get ([CII)Ljava/nio/CharBuffer;
L33: pop
L34: iload_3
L35: ireturn
.stack same
L36: aload_0
L37: getfield Field OMGJavaDecoder closed Z
L40: ifeq L45
L43: iconst_m1
L44: ireturn
.stack same
L45: aload_0
L46: getfield Field OMGJavaDecoder byteBuffer Ljava/nio/ByteBuffer;
L49: invokevirtual Method java/nio/ByteBuffer hasRemaining ()Z
L52: ifeq L101
L55: aload_0
L56: getfield Field OMGJavaDecoder charBuffer Ljava/nio/CharBuffer;
L59: invokevirtual Method java/nio/CharBuffer compact ()Ljava/nio/CharBuffer;
L62: pop
L63: aload_0
L64: getfield Field OMGJavaDecoder decoder Ljava/nio/charset/CharsetDecoder;
L67: aload_0
L68: getfield Field OMGJavaDecoder byteBuffer Ljava/nio/ByteBuffer;
L71: aload_0
L72: getfield Field OMGJavaDecoder charBuffer Ljava/nio/CharBuffer;
L75: iconst_0
L76: invokevirtual Method java/nio/charset/CharsetDecoder decode (Ljava/nio/ByteBuffer;Ljava/nio/CharBuffer;Z)Ljava/nio/charset/CoderResult;
L79: pop
L80: aload_0
L81: getfield Field OMGJavaDecoder charBuffer Ljava/nio/CharBuffer;
L84: invokevirtual Method java/nio/CharBuffer flip ()Ljava/nio/Buffer;
L87: pop
L88: aload_0
L89: getfield Field OMGJavaDecoder charBuffer Ljava/nio/CharBuffer;
L92: invokevirtual Method java/nio/CharBuffer hasRemaining ()Z
L95: ifeq L101
L98: goto L0
.stack same
L101: aload_0
L102: getfield Field OMGJavaDecoder byteBuffer Ljava/nio/ByteBuffer;
L105: invokevirtual Method java/nio/ByteBuffer compact ()Ljava/nio/ByteBuffer;
L108: pop
L109: aload_0
L110: getfield Field OMGJavaDecoder delegate Ljava/io/InputStream;
L113: aload_0
L114: getfield Field OMGJavaDecoder byteBuffer Ljava/nio/ByteBuffer;
L117: invokevirtual Method java/nio/ByteBuffer array ()[B
L120: aload_0
L121: getfield Field OMGJavaDecoder byteBuffer Ljava/nio/ByteBuffer;
L124: invokevirtual Method java/nio/ByteBuffer position ()I
L127: aload_0
L128: getfield Field OMGJavaDecoder byteBuffer Ljava/nio/ByteBuffer;
L131: invokevirtual Method java/nio/ByteBuffer limit ()I
L134: aload_0
L135: getfield Field OMGJavaDecoder byteBuffer Ljava/nio/ByteBuffer;
L138: invokevirtual Method java/nio/ByteBuffer position ()I
L141: isub
L142: invokevirtual Method java/io/InputStream read ([BII)I
L145: istore 5
L147: iload 5
L149: ifge L209
L152: aload_0
L153: iconst_1
L154: putfield Field OMGJavaDecoder closed Z
L157: aload_0
L158: getfield Field OMGJavaDecoder byteBuffer Ljava/nio/ByteBuffer;
L161: invokevirtual Method java/nio/ByteBuffer flip ()Ljava/nio/Buffer;
L164: pop
L165: aload_0
L166: getfield Field OMGJavaDecoder charBuffer Ljava/nio/CharBuffer;
L169: invokevirtual Method java/nio/CharBuffer compact ()Ljava/nio/CharBuffer;
L172: pop
L173: aload_0
L174: getfield Field OMGJavaDecoder decoder Ljava/nio/charset/CharsetDecoder;
L177: aload_0
L178: getfield Field OMGJavaDecoder byteBuffer Ljava/nio/ByteBuffer;
L181: aload_0
L182: getfield Field OMGJavaDecoder charBuffer Ljava/nio/CharBuffer;
L185: iconst_1
L186: invokevirtual Method java/nio/charset/CharsetDecoder decode (Ljava/nio/ByteBuffer;Ljava/nio/CharBuffer;Z)Ljava/nio/charset/CoderResult;
L189: pop
L190: aload_0
L191: getfield Field OMGJavaDecoder charBuffer Ljava/nio/CharBuffer;
L194: invokevirtual Method java/nio/CharBuffer flip ()Ljava/nio/Buffer;
L197: pop
L198: aload_0
L199: getfield Field OMGJavaDecoder byteBuffer Ljava/nio/ByteBuffer;
L202: invokevirtual Method java/nio/ByteBuffer compact ()Ljava/nio/ByteBuffer;
L205: pop
L206: goto L0
.stack append Integer
L209: aload_0
L210: getfield Field OMGJavaDecoder byteBuffer Ljava/nio/ByteBuffer;
L213: aload_0
L214: getfield Field OMGJavaDecoder byteBuffer Ljava/nio/ByteBuffer;
L217: invokevirtual Method java/nio/ByteBuffer position ()I
L220: iload 5
L222: iadd
L223: invokevirtual Method java/nio/ByteBuffer position (I)Ljava/nio/Buffer;
L226: pop
L227: aload_0
L228: getfield Field OMGJavaDecoder byteBuffer Ljava/nio/ByteBuffer;
L231: invokevirtual Method java/nio/ByteBuffer flip ()Ljava/nio/Buffer;
L234: pop
L235: aload_0
L236: getfield Field OMGJavaDecoder charBuffer Ljava/nio/CharBuffer;
L239: invokevirtual Method java/nio/CharBuffer compact ()Ljava/nio/CharBuffer;
L242: pop
L243: aload_0
L244: getfield Field OMGJavaDecoder decoder Ljava/nio/charset/CharsetDecoder;
L247: aload_0
L248: getfield Field OMGJavaDecoder byteBuffer Ljava/nio/ByteBuffer;
L251: aload_0
L252: getfield Field OMGJavaDecoder charBuffer Ljava/nio/CharBuffer;
L255: iconst_0
L256: invokevirtual Method java/nio/charset/CharsetDecoder decode (Ljava/nio/ByteBuffer;Ljava/nio/CharBuffer;Z)Ljava/nio/charset/CoderResult;
L259: pop
L260: aload_0
L261: getfield Field OMGJavaDecoder charBuffer Ljava/nio/CharBuffer;
L264: invokevirtual Method java/nio/CharBuffer flip ()Ljava/nio/Buffer;
L267: pop
L268: goto L0
L271:
.linenumbertable
L0 39
L9 40
L14 42
L20 43
L23 44
L34 45
L36 47
L45 49
L55 51
L63 52
L80 53
L88 54
L98 56
L101 60
L109 61
L147 62
L152 64
L157 66
L165 67
L173 69
L190 70
L198 72
L206 73
L209 76
L227 77
L235 79
L243 80
L260 81
L268 82
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.method public close : ()V
.code stack 1 locals 1
L0: aload_0
L1: getfield Field OMGJavaDecoder delegate Ljava/io/InputStream;
L4: invokevirtual Method java/io/InputStream close ()V
L7: return
L8:
.linenumbertable
L0 88
L7 89
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.method static <clinit> : ()V
.code stack 1 locals 0
L0: ldc 'UTF-8'
L2: invokestatic Method java/nio/charset/Charset forName (Ljava/lang/String;)Ljava/nio/charset/Charset;
L5: putstatic Field OMGJavaDecoder UTF_8 Ljava/nio/charset/Charset;
L8: return
L9:
.linenumbertable
L0 14
.end linenumbertable
.end code
.end method
.sourcefile 'OMGJavaDecoder.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 20:51:12 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.DataInputStream;
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 OMGJavaDecoder_ESTest extends OMGJavaDecoder_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
byte[] byteArray0 = new byte[8];
ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0);
OMGJavaDecoder oMGJavaDecoder0 = new OMGJavaDecoder(byteArrayInputStream0, 0);
char[] charArray0 = new char[7];
// Undeclared exception!
oMGJavaDecoder0.read(charArray0, (int) (byte)0, 1);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Enumeration<DataInputStream> enumeration0 = (Enumeration<DataInputStream>) mock(Enumeration.class, new ViolatedAssumptionAnswer());
doReturn(false).when(enumeration0).hasMoreElements();
SequenceInputStream sequenceInputStream0 = new SequenceInputStream(enumeration0);
OMGJavaDecoder oMGJavaDecoder0 = new OMGJavaDecoder(sequenceInputStream0, 34522);
char[] charArray0 = new char[9];
int int0 = oMGJavaDecoder0.read(charArray0, 34522, 34522);
assertEquals((-1), int0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
byte[] byteArray0 = new byte[2];
ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0);
OMGJavaDecoder oMGJavaDecoder0 = new OMGJavaDecoder(byteArrayInputStream0, 0);
oMGJavaDecoder0.close();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 20:51: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;
import static org.evosuite.shaded.org.mockito.Mockito.*;
@EvoSuiteClassExclude
public class OMGJavaDecoder_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 = "OMGJavaDecoder";
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/tmp5g9w6i_i");
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(OMGJavaDecoder_ESTest_scaffolding.class.getClassLoader() ,
"OMGJavaDecoder"
);
}
private static void initMocksToAvoidTimeoutsInTheTests() throws ClassNotFoundException {
mock(Class.forName("java.util.Enumeration", false, OMGJavaDecoder_ESTest_scaffolding.class.getClassLoader()));
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(OMGJavaDecoder_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"OMGJavaDecoder"
);
}
}
| 1,422 |
ListFileWords | import java.io.File;
import java.io.FileNotFoundException;
import java.util.Scanner;
/**
* Prompt for a file to read. Read the file one line at a time, break each line into individual
* tokens (words), and output all tokens to the console, one token per output line.
*
* @author mvail
*/
public class ListFileWords {
public static final int ERROR_CODE = 1;
/**
* @param args unused
*/
public static void main(String[] args) {
// create a keyboard Scanner
// Note - there should only be ONE Scanner connected to any one source in any program
Scanner kbd = new Scanner(System.in);
System.out.print("Enter a filename: ");
String filename = kbd.nextLine().trim(); // trim removes extra whitespace
kbd.close(); // we are done reading from user.
// create a File object
// Note - this will not throw an Exception if the file doesn't exist,
// because you may be wanting to create a new file!
File file = new File(filename);
// open the file in a Scanner
// Note - opening a File has the potential to fail (the file might not exist, you might not have
// permission
// to read the file, etc.) so Java requires you to deal with the FileNotFoundException that
// could be thrown
// if you can't open the File for any reason. We are demonstrating the try-catch way of handling
// Exceptions
// here, because it allows you to print a helpful message before exiting rather than letting the
// program crash.
try {
Scanner fileScan = new Scanner(file);
// if we succeeded in opening the File in fileScan, we can continue, here - otherwise we will
// catch the
// FileNotFoundException in the catch block, below
System.out.println("\nContents of \"" + filename + "\":\n");
// read in each line of the file with fileScan until we run out of lines
// Note - if our intent is to read whole lines, it is important that we use the hasNextLine()
// and nextLine()
// methods rather than the hasNext() and next() methods, // which give us only one token
// (word) at a time -
// mixing these kinds of methods with a single Scanner leads to trouble
while (fileScan.hasNextLine()) {
// read one line
String line = fileScan.nextLine();
// create an additional Scanner to break the current line into individual tokens (words)
// separated by whitespace
Scanner lineScan = new Scanner(line);
// read each token from the line until we run out of tokens
while (lineScan.hasNext()) {
// read the next token/word
String token = lineScan.next();
// print the token/word to the console
System.out.println(token);
}
// We are done reading the line, so close the scanner.
lineScan.close();
}
// We are done reading the file, so close the scanner.
fileScan.close();
} catch (FileNotFoundException errorObject) {
// print a helpful message before exiting
// Note - we only get into this block of code if a FileNotFoundException was thrown while
// trying to open
// the file in fileScan, above
System.out.println("File \"" + filename + "\" could not be opened.");
System.out.println(errorObject.getMessage());
System.exit(ERROR_CODE); // exit the program with an error status
}
}
}
| .version 52 0
.class public super ListFileWords
.super java/lang/Object
.field public static final ERROR_CODE I = 1
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 10
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 3 locals 8
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: getstatic Field java/lang/System out Ljava/io/PrintStream;
L14: ldc 'Enter a filename: '
L16: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V
L19: aload_1
L20: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String;
L23: invokevirtual Method java/lang/String trim ()Ljava/lang/String;
L26: astore_2
L27: aload_1
L28: invokevirtual Method java/util/Scanner close ()V
L31: new java/io/File
L34: dup
L35: aload_2
L36: invokespecial Method java/io/File <init> (Ljava/lang/String;)V
L39: astore_3
.catch java/io/FileNotFoundException from L40 to L145 using L148
L40: new java/util/Scanner
L43: dup
L44: aload_3
L45: invokespecial Method java/util/Scanner <init> (Ljava/io/File;)V
L48: astore 4
L50: getstatic Field java/lang/System out Ljava/io/PrintStream;
L53: new java/lang/StringBuilder
L56: dup
L57: invokespecial Method java/lang/StringBuilder <init> ()V
L60: ldc '\nContents of "'
L62: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L65: aload_2
L66: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L69: ldc '":\n'
L71: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L74: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L77: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack full
locals Object [Ljava/lang/String; Object java/util/Scanner Object java/lang/String Object java/io/File Object java/util/Scanner
stack
.end stack
L80: aload 4
L82: invokevirtual Method java/util/Scanner hasNextLine ()Z
L85: ifeq L140
L88: aload 4
L90: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String;
L93: astore 5
L95: new java/util/Scanner
L98: dup
L99: aload 5
L101: invokespecial Method java/util/Scanner <init> (Ljava/lang/String;)V
L104: astore 6
.stack append Object java/lang/String Object java/util/Scanner
L106: aload 6
L108: invokevirtual Method java/util/Scanner hasNext ()Z
L111: ifeq L132
L114: aload 6
L116: invokevirtual Method java/util/Scanner next ()Ljava/lang/String;
L119: astore 7
L121: getstatic Field java/lang/System out Ljava/io/PrintStream;
L124: aload 7
L126: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L129: goto L106
.stack same
L132: aload 6
L134: invokevirtual Method java/util/Scanner close ()V
L137: goto L80
.stack chop 2
L140: aload 4
L142: invokevirtual Method java/util/Scanner close ()V
L145: goto L195
.stack full
locals Object [Ljava/lang/String; Object java/util/Scanner Object java/lang/String Object java/io/File
stack Object java/io/FileNotFoundException
.end stack
L148: astore 4
L150: getstatic Field java/lang/System out Ljava/io/PrintStream;
L153: new java/lang/StringBuilder
L156: dup
L157: invokespecial Method java/lang/StringBuilder <init> ()V
L160: ldc 'File "'
L162: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L165: aload_2
L166: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L169: ldc '" could not be opened.'
L171: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L174: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L177: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L180: getstatic Field java/lang/System out Ljava/io/PrintStream;
L183: aload 4
L185: invokevirtual Method java/io/FileNotFoundException getMessage ()Ljava/lang/String;
L188: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L191: iconst_1
L192: invokestatic Method java/lang/System exit (I)V
.stack same
L195: return
L196:
.linenumbertable
L0 22
L11 24
L19 25
L27 26
L31 32
L40 41
L50 46
L80 53
L88 55
L95 60
L106 64
L114 66
L121 69
L129 70
L132 73
L137 74
L140 76
L145 86
L148 77
L150 83
L180 84
L191 85
L195 87
.end linenumbertable
.end code
.end method
.sourcefile 'ListFileWords.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 17:46:39 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.System;
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 ListFileWords_ESTest extends ListFileWords_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[0];
// Undeclared exception!
try {
ListFileWords.main(stringArray0);
fail("Expecting exception: NoSuchElementException");
} catch(NoSuchElementException e) {
//
// No line found
//
verifyException("java.util.Scanner", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
String[] stringArray0 = new String[4];
SystemInUtil.addInputLine("y3%{v[d&L");
// Undeclared exception!
try {
ListFileWords.main(stringArray0);
fail("Expecting exception: System.SystemExitException");
} catch(System.SystemExitException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("org.evosuite.runtime.System", e);
}
}
@Test(timeout = 4000)
public void test2() throws Throwable {
ListFileWords listFileWords0 = new ListFileWords();
assertEquals(1, ListFileWords.ERROR_CODE);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 17:46:39 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class ListFileWords_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 = "ListFileWords";
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/tmpi1ysga2t");
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(ListFileWords_ESTest_scaffolding.class.getClassLoader() ,
"ListFileWords"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ListFileWords_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ListFileWords"
);
}
}
| 1,423 |
OptionNameConflictException | @SuppressWarnings("serial")
public class OptionNameConflictException extends RuntimeException {
public OptionNameConflictException(boolean shortName, String name) {
super("The " + (shortName ? "short" : "long") + " name '" + name + "' is already taken!");
}
}
| .version 52 0
.class public super OptionNameConflictException
.super java/lang/RuntimeException
.method public <init> : (ZLjava/lang/String;)V
.code stack 3 locals 3
L0: aload_0
L1: new java/lang/StringBuilder
L4: dup
L5: invokespecial Method java/lang/StringBuilder <init> ()V
L8: ldc 'The '
L10: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L13: iload_1
L14: ifeq L22
L17: ldc 'short'
L19: goto L24
.stack full
locals UninitializedThis Integer Object java/lang/String
stack UninitializedThis Object java/lang/StringBuilder
.end stack
L22: ldc 'long'
.stack full
locals UninitializedThis Integer Object java/lang/String
stack UninitializedThis Object java/lang/StringBuilder Object java/lang/String
.end stack
L24: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L27: ldc " name '"
L29: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L32: aload_2
L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L36: ldc "' is already taken!"
L38: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L41: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L44: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V
L47: return
L48:
.linenumbertable
L0 7
L47 8
.end linenumbertable
.end code
.end method
.sourcefile 'OptionNameConflictException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 16:28: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 OptionNameConflictException_ESTest extends OptionNameConflictException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
OptionNameConflictException optionNameConflictException0 = new OptionNameConflictException(true, "");
}
@Test(timeout = 4000)
public void test1() throws Throwable {
OptionNameConflictException optionNameConflictException0 = new OptionNameConflictException(false, "ry}f");
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 16:28: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 OptionNameConflictException_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 = "OptionNameConflictException";
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/tmpqs0ejgv9");
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(OptionNameConflictException_ESTest_scaffolding.class.getClassLoader() ,
"OptionNameConflictException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(OptionNameConflictException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"OptionNameConflictException"
);
}
}
| 1,424 |
OvhReverseDelegation | /** Your reverse delegations on IPv6 subnet */
public class OvhReverseDelegation {
/**
* NS target for delegation
*
* <p>canBeNull && readOnly
*/
public String target;
}
| .version 52 0
.class public super OvhReverseDelegation
.super java/lang/Object
.field public target 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 'OvhReverseDelegation.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 17:06: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 OvhReverseDelegation_ESTest extends OvhReverseDelegation_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
OvhReverseDelegation ovhReverseDelegation0 = new OvhReverseDelegation();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 17:06:28 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class OvhReverseDelegation_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 = "OvhReverseDelegation";
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/tmpiv6x_a0q");
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(OvhReverseDelegation_ESTest_scaffolding.class.getClassLoader() ,
"OvhReverseDelegation"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(OvhReverseDelegation_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"OvhReverseDelegation"
);
}
}
| 1,425 |
BowlerStats | import java.text.DecimalFormat;
public class BowlerStats {
int runsGiven = 0, wicketsTaken = 0, ballsBowled = 0;
DecimalFormat fmt = new DecimalFormat("#.##");
public int getRunsGiven() {
return runsGiven;
}
public int getWicketsTaken() {
return wicketsTaken;
}
public int getBallsBowled() {
return ballsBowled;
}
public BowlerStats(int runs, int wickets, int balls) {
this.runsGiven = runs;
this.wicketsTaken = wickets;
this.ballsBowled = balls;
}
public double getRPO() {
double overs = ballsBowled / 6;
return (double) runsGiven / Math.max(1, overs);
}
public String toString() {
int overs = ballsBowled / 6;
int remaining = ballsBowled % 6;
String overStr = overs + "." + remaining;
String ret = overStr + "\t" + runsGiven + "\t" + wicketsTaken + "\t";
if (overs == 0) {
ret += "0";
} else {
ret += fmt.format(getRPO());
}
return ret;
}
}
| .version 52 0
.class public super BowlerStats
.super java/lang/Object
.field runsGiven I
.field wicketsTaken I
.field ballsBowled I
.field fmt Ljava/text/DecimalFormat;
.method public getRunsGiven : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BowlerStats runsGiven I
L4: ireturn
L5:
.linenumbertable
L0 12
.end linenumbertable
.end code
.end method
.method public getWicketsTaken : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BowlerStats wicketsTaken I
L4: ireturn
L5:
.linenumbertable
L0 16
.end linenumbertable
.end code
.end method
.method public getBallsBowled : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BowlerStats ballsBowled I
L4: ireturn
L5:
.linenumbertable
L0 20
.end linenumbertable
.end code
.end method
.method public <init> : (III)V
.code stack 4 locals 4
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iconst_0
L6: putfield Field BowlerStats runsGiven I
L9: aload_0
L10: iconst_0
L11: putfield Field BowlerStats wicketsTaken I
L14: aload_0
L15: iconst_0
L16: putfield Field BowlerStats ballsBowled I
L19: aload_0
L20: new java/text/DecimalFormat
L23: dup
L24: ldc '#.##'
L26: invokespecial Method java/text/DecimalFormat <init> (Ljava/lang/String;)V
L29: putfield Field BowlerStats fmt Ljava/text/DecimalFormat;
L32: aload_0
L33: iload_1
L34: putfield Field BowlerStats runsGiven I
L37: aload_0
L38: iload_2
L39: putfield Field BowlerStats wicketsTaken I
L42: aload_0
L43: iload_3
L44: putfield Field BowlerStats ballsBowled I
L47: return
L48:
.linenumbertable
L0 23
L4 7
L19 9
L32 24
L37 25
L42 26
L47 27
.end linenumbertable
.end code
.end method
.method public getRPO : ()D
.code stack 6 locals 3
L0: aload_0
L1: getfield Field BowlerStats ballsBowled I
L4: bipush 6
L6: idiv
L7: i2d
L8: dstore_1
L9: aload_0
L10: getfield Field BowlerStats runsGiven I
L13: i2d
L14: dconst_1
L15: dload_1
L16: invokestatic Method java/lang/Math max (DD)D
L19: ddiv
L20: dreturn
L21:
.linenumbertable
L0 30
L9 31
.end linenumbertable
.end code
.end method
.method public toString : ()Ljava/lang/String;
.code stack 4 locals 5
L0: aload_0
L1: getfield Field BowlerStats ballsBowled I
L4: bipush 6
L6: idiv
L7: istore_1
L8: aload_0
L9: getfield Field BowlerStats ballsBowled I
L12: bipush 6
L14: irem
L15: istore_2
L16: new java/lang/StringBuilder
L19: dup
L20: invokespecial Method java/lang/StringBuilder <init> ()V
L23: iload_1
L24: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L27: ldc '.'
L29: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L32: iload_2
L33: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L36: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L39: astore_3
L40: new java/lang/StringBuilder
L43: dup
L44: invokespecial Method java/lang/StringBuilder <init> ()V
L47: aload_3
L48: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L51: ldc '\t'
L53: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L56: aload_0
L57: getfield Field BowlerStats runsGiven I
L60: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L63: ldc '\t'
L65: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L68: aload_0
L69: getfield Field BowlerStats wicketsTaken I
L72: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L75: ldc '\t'
L77: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L80: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L83: astore 4
L85: iload_1
L86: ifne L114
L89: new java/lang/StringBuilder
L92: dup
L93: invokespecial Method java/lang/StringBuilder <init> ()V
L96: aload 4
L98: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L101: ldc '0'
L103: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L106: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L109: astore 4
L111: goto L145
.stack full
locals Object BowlerStats Integer Integer Object java/lang/String Object java/lang/String
stack
.end stack
L114: new java/lang/StringBuilder
L117: dup
L118: invokespecial Method java/lang/StringBuilder <init> ()V
L121: aload 4
L123: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L126: aload_0
L127: getfield Field BowlerStats fmt Ljava/text/DecimalFormat;
L130: aload_0
L131: invokevirtual Method BowlerStats getRPO ()D
L134: invokevirtual Method java/text/DecimalFormat format (D)Ljava/lang/String;
L137: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L140: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L143: astore 4
.stack same
L145: aload 4
L147: areturn
L148:
.linenumbertable
L0 35
L8 36
L16 37
L40 38
L85 39
L89 40
L114 43
L145 45
.end linenumbertable
.end code
.end method
.sourcefile 'BowlerStats.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 17:35: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 BowlerStats_ESTest extends BowlerStats_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
BowlerStats bowlerStats0 = new BowlerStats(0, 66727, (-31111));
bowlerStats0.getBallsBowled();
bowlerStats0.getWicketsTaken();
String string0 = bowlerStats0.toString();
assertEquals("-5185.-1\t0\t66727\t0", string0);
int int0 = bowlerStats0.getWicketsTaken();
assertEquals(66727, int0);
int int1 = bowlerStats0.getRunsGiven();
assertEquals(0, int1);
int int2 = bowlerStats0.getBallsBowled();
assertEquals((-31111), int2);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
BowlerStats bowlerStats0 = new BowlerStats(1, 0, 3913);
String string0 = bowlerStats0.toString();
assertEquals(0.0015337423312883436, bowlerStats0.getRPO(), 1.0E-4);
assertEquals("652.1\t1\t0\t0", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
BowlerStats bowlerStats0 = new BowlerStats(0, 66727, (-31111));
bowlerStats0.wicketsTaken = 0;
int int0 = bowlerStats0.getWicketsTaken();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
BowlerStats bowlerStats0 = new BowlerStats(0, 66727, (-31111));
bowlerStats0.runsGiven = (-21955);
int int0 = bowlerStats0.getRunsGiven();
assertEquals((-21955), int0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
BowlerStats bowlerStats0 = new BowlerStats(0, 0, 0);
bowlerStats0.runsGiven = 83649;
double double0 = bowlerStats0.getRPO();
assertEquals(83649.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
BowlerStats bowlerStats0 = new BowlerStats(0, 66727, (-31111));
bowlerStats0.runsGiven = (-21955);
double double0 = bowlerStats0.getRPO();
assertEquals((-21955.0), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
BowlerStats bowlerStats0 = new BowlerStats((-2595), (-2595), 0);
int int0 = bowlerStats0.getBallsBowled();
assertEquals((-2595), bowlerStats0.getRunsGiven());
assertEquals((-2595), bowlerStats0.getWicketsTaken());
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
BowlerStats bowlerStats0 = new BowlerStats(1, 0, 3913);
int int0 = bowlerStats0.getBallsBowled();
assertEquals(3913, int0);
assertEquals(0, bowlerStats0.getWicketsTaken());
assertEquals(1, bowlerStats0.getRunsGiven());
}
@Test(timeout = 4000)
public void test8() throws Throwable {
BowlerStats bowlerStats0 = new BowlerStats(0, 66727, (-31111));
double double0 = bowlerStats0.getRPO();
assertEquals(66727, bowlerStats0.getWicketsTaken());
assertEquals(0.0, double0, 1.0E-4);
assertEquals((-31111), bowlerStats0.getBallsBowled());
}
@Test(timeout = 4000)
public void test9() throws Throwable {
BowlerStats bowlerStats0 = new BowlerStats((-2595), (-2595), 0);
String string0 = bowlerStats0.toString();
assertEquals("0.0\t-2595\t-2595\t0", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 17:35: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 BowlerStats_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 = "BowlerStats";
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/tmpdqmb_0yc");
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(BowlerStats_ESTest_scaffolding.class.getClassLoader() ,
"BowlerStats"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BowlerStats_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"BowlerStats"
);
}
}
| 1,426 |
PaasException | /*******************************************************************************
* /***
* *
* * Copyright 2013 Netflix, Inc.
* *
* * Licensed under the Apache License, Version 2.0 (the "License");
* * you may not use this file except in compliance with the License.
* * You may obtain a copy of the License at
* *
* * http://www.apache.org/licenses/LICENSE-2.0
* *
* * Unless required by applicable law or agreed to in writing, software
* * distributed under the License is distributed on an "AS IS" BASIS,
* * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* * See the License for the specific language governing permissions and
* * limitations under the License.
* *
******************************************************************************/
public class PaasException extends Exception {
public PaasException(String message, Exception e) {
super(message, e);
}
}
| .version 52 0
.class public super PaasException
.super java/lang/Exception
.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 24
L6 25
.end linenumbertable
.end code
.end method
.sourcefile 'PaasException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 05:00:22 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.MockException;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class PaasException_ESTest extends PaasException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
MockException mockException0 = new MockException("_V#8Id\"*4");
PaasException paasException0 = new PaasException("", mockException0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 05:00:22 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class PaasException_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 = "PaasException";
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/tmpu4nkotuz");
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(PaasException_ESTest_scaffolding.class.getClassLoader() ,
"PaasException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PaasException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"PaasException"
);
}
}
| 1,427 |
Exercise3 | import java.io.File;
/*
* 다음은 디렉토리의 요약정보를 보여주는 프로그램이다.
* 파일의 개수, 디렉토리의 개수, 파일의 총 크기를 계산하는 countFiles()완성하시오.
*
* [Ex] 실행결과
* > java Exercise3 .
*
* 총 000개의 파일
* 총 000개의 디렉토리
* 크기 00000000 bytes
*
* >
* */
public class Exercise3 {
static int totalFiles = 0;
static int totalDirs = 0;
static int totalSize = 0;
public static void main(String[] args) {
if (args.length != 1) {
System.out.println("USAGE: java Exercise3 DIRECTORY");
System.exit(0);
}
File dir = new File(args[0]);
if (!dir.exists() || !dir.isDirectory()) {
System.out.println("유효하지않은 디렉토리 입니다.");
System.exit(0);
}
countFiles(dir);
System.out.println();
System.out.println("총 : " + totalFiles + "개의 파일");
System.out.println("총 : " + totalDirs + "개의 디렉토리");
System.out.println("크기 : " + totalSize + " bytes");
}
public static void countFiles(File dir) {
File[] files = dir.listFiles();
for (File file : files) {
if (file.isDirectory()) {
totalDirs++;
countFiles(file);
} else if (file.isFile()) {
totalFiles++;
totalSize += file.length();
}
}
}
}
/*실행결과
* 총 : 11개의 파일
* 총 : 9개의 디렉토리
* 크기 : 10180 bytes
* */
| .version 52 0
.class public super Exercise3
.super java/lang/Object
.field static totalFiles I
.field static totalDirs I
.field static totalSize I
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 18
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 4 locals 2
L0: aload_0
L1: arraylength
L2: iconst_1
L3: if_icmpeq L18
L6: getstatic Field java/lang/System out Ljava/io/PrintStream;
L9: ldc 'USAGE: java Exercise3 DIRECTORY'
L11: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L14: iconst_0
L15: invokestatic Method java/lang/System exit (I)V
.stack same
L18: new java/io/File
L21: dup
L22: aload_0
L23: iconst_0
L24: aaload
L25: invokespecial Method java/io/File <init> (Ljava/lang/String;)V
L28: astore_1
L29: aload_1
L30: invokevirtual Method java/io/File exists ()Z
L33: ifeq L43
L36: aload_1
L37: invokevirtual Method java/io/File isDirectory ()Z
L40: ifne L55
.stack append Object java/io/File
L43: getstatic Field java/lang/System out Ljava/io/PrintStream;
L46: ldc '유효하지않은 디렉토리 입니다.'
L48: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L51: iconst_0
L52: invokestatic Method java/lang/System exit (I)V
.stack same
L55: aload_1
L56: invokestatic Method Exercise3 countFiles (Ljava/io/File;)V
L59: getstatic Field java/lang/System out Ljava/io/PrintStream;
L62: invokevirtual Method java/io/PrintStream println ()V
L65: getstatic Field java/lang/System out Ljava/io/PrintStream;
L68: new java/lang/StringBuilder
L71: dup
L72: invokespecial Method java/lang/StringBuilder <init> ()V
L75: ldc '총 : '
L77: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L80: getstatic Field Exercise3 totalFiles I
L83: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L86: ldc '개의 파일'
L88: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L91: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L94: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L97: getstatic Field java/lang/System out Ljava/io/PrintStream;
L100: new java/lang/StringBuilder
L103: dup
L104: invokespecial Method java/lang/StringBuilder <init> ()V
L107: ldc '총 : '
L109: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L112: getstatic Field Exercise3 totalDirs I
L115: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L118: ldc '개의 디렉토리'
L120: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L123: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L126: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L129: getstatic Field java/lang/System out Ljava/io/PrintStream;
L132: new java/lang/StringBuilder
L135: dup
L136: invokespecial Method java/lang/StringBuilder <init> ()V
L139: ldc '크기 : '
L141: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L144: getstatic Field Exercise3 totalSize I
L147: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L150: ldc ' bytes'
L152: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L155: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L158: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L161: return
L162:
.linenumbertable
L0 26
L6 28
L14 29
L18 32
L29 34
L43 36
L51 37
L55 40
L59 42
L65 43
L97 44
L129 45
L161 46
.end linenumbertable
.end code
.end method
.method public static countFiles : (Ljava/io/File;)V
.code stack 4 locals 6
L0: aload_0
L1: invokevirtual Method java/io/File listFiles ()[Ljava/io/File;
L4: astore_1
L5: aload_1
L6: astore_2
L7: aload_2
L8: arraylength
L9: istore_3
L10: iconst_0
L11: istore 4
.stack full
locals Object java/io/File Object [Ljava/io/File; Object [Ljava/io/File; Integer Integer
stack
.end stack
L13: iload 4
L15: iload_3
L16: if_icmpge L85
L19: aload_2
L20: iload 4
L22: aaload
L23: astore 5
L25: aload 5
L27: invokevirtual Method java/io/File isDirectory ()Z
L30: ifeq L49
L33: getstatic Field Exercise3 totalDirs I
L36: iconst_1
L37: iadd
L38: putstatic Field Exercise3 totalDirs I
L41: aload 5
L43: invokestatic Method Exercise3 countFiles (Ljava/io/File;)V
L46: goto L79
.stack append Object java/io/File
L49: aload 5
L51: invokevirtual Method java/io/File isFile ()Z
L54: ifeq L79
L57: getstatic Field Exercise3 totalFiles I
L60: iconst_1
L61: iadd
L62: putstatic Field Exercise3 totalFiles I
L65: getstatic Field Exercise3 totalSize I
L68: i2l
L69: aload 5
L71: invokevirtual Method java/io/File length ()J
L74: ladd
L75: l2i
L76: putstatic Field Exercise3 totalSize I
.stack chop 1
L79: iinc 4 1
L82: goto L13
.stack chop 3
L85: return
L86:
.linenumbertable
L0 50
L5 52
L25 54
L33 56
L41 57
L49 59
L57 61
L65 62
L79 52
L85 65
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 1 locals 0
L0: iconst_0
L1: putstatic Field Exercise3 totalFiles I
L4: iconst_0
L5: putstatic Field Exercise3 totalDirs I
L8: iconst_0
L9: putstatic Field Exercise3 totalSize I
L12: return
L13:
.linenumbertable
L0 20
L4 21
L8 22
.end linenumbertable
.end code
.end method
.sourcefile 'Exercise3.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 04:45:18 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.io.File;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.System;
import org.evosuite.runtime.mock.java.io.MockFile;
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 Exercise3_ESTest extends Exercise3_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
MockFile mockFile0 = new MockFile((String) null, "y&'z;");
MockFile.createTempFile("r\"TIf", "hPj4ENb=o", (File) mockFile0);
Exercise3.countFiles(mockFile0);
String[] stringArray0 = new String[7];
// Undeclared exception!
try {
Exercise3.main(stringArray0);
fail("Expecting exception: System.SystemExitException");
} catch(System.SystemExitException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("org.evosuite.runtime.System", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
String[] stringArray0 = new String[1];
stringArray0[0] = "";
Exercise3.main(stringArray0);
assertEquals(1, stringArray0.length);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
MockFile mockFile0 = new MockFile("");
MockFile.createTempFile("/tmp/tmputukn1it", "/tmp/tmputukn1it", (File) mockFile0);
Exercise3.countFiles(mockFile0);
assertEquals(0L, mockFile0.getFreeSpace());
}
@Test(timeout = 4000)
public void test3() throws Throwable {
String[] stringArray0 = new String[1];
EvoSuiteFile evoSuiteFile0 = new EvoSuiteFile(" bytes");
FileSystemHandling.appendStringToFile(evoSuiteFile0, "");
stringArray0[0] = " bytes";
// Undeclared exception!
try {
Exercise3.main(stringArray0);
fail("Expecting exception: System.SystemExitException");
} catch(System.SystemExitException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("org.evosuite.runtime.System", e);
}
}
@Test(timeout = 4000)
public void test4() throws Throwable {
String[] stringArray0 = new String[1];
stringArray0[0] = " bytes";
// Undeclared exception!
try {
Exercise3.main(stringArray0);
fail("Expecting exception: System.SystemExitException");
} catch(System.SystemExitException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("org.evosuite.runtime.System", e);
}
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Exercise3 exercise3_0 = new Exercise3();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 04:45: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 Exercise3_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 = "Exercise3";
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/tmputukn1it");
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(Exercise3_ESTest_scaffolding.class.getClassLoader() ,
"Exercise3"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Exercise3_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Exercise3"
);
}
}
| 1,428 |
MemcachedOperationTimeoutException | /*
* ====================================================================
* 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.
* ====================================================================
*
* This software consists of voluntary contributions made by many
* individuals on behalf of the Apache Software Foundation. For more
* information on the Apache Software Foundation, please see
* <http://www.apache.org/>.
*
*/
import java.io.IOException;
/** Raised when memcached times out on us. */
class MemcachedOperationTimeoutException extends IOException {
private static final long serialVersionUID = 1608334789051537010L;
public MemcachedOperationTimeoutException(final Throwable cause) {
super(cause.getMessage());
initCause(cause);
}
}
| .version 52 0
.class super MemcachedOperationTimeoutException
.super java/io/IOException
.field private static final serialVersionUID J = 1608334789051537010L
.method public <init> : (Ljava/lang/Throwable;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokevirtual Method java/lang/Throwable getMessage ()Ljava/lang/String;
L5: invokespecial Method java/io/IOException <init> (Ljava/lang/String;)V
L8: aload_0
L9: aload_1
L10: invokevirtual Method MemcachedOperationTimeoutException initCause (Ljava/lang/Throwable;)Ljava/lang/Throwable;
L13: pop
L14: return
L15:
.linenumbertable
L0 39
L8 40
L14 41
.end linenumbertable
.end code
.end method
.sourcefile 'MemcachedOperationTimeoutException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 12:15:06 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 MemcachedOperationTimeoutException_ESTest extends MemcachedOperationTimeoutException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
MockThrowable mockThrowable0 = new MockThrowable();
MemcachedOperationTimeoutException memcachedOperationTimeoutException0 = new MemcachedOperationTimeoutException(mockThrowable0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 12:15: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 MemcachedOperationTimeoutException_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 = "MemcachedOperationTimeoutException";
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/tmp5guiwww5");
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(MemcachedOperationTimeoutException_ESTest_scaffolding.class.getClassLoader() ,
"MemcachedOperationTimeoutException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MemcachedOperationTimeoutException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MemcachedOperationTimeoutException"
);
}
}
| 1,429 |
AgentConstants | public class AgentConstants {
public static final String TYPE = "agent";
public static final String USER = "user";
public static final String STATE_RECONNECTING = "reconnecting";
public static final String ID_REF = "agentId";
public static final String DATA_AGENT_RESOURCES_ACCOUNT_ID = "agentResourcesAccountId";
public static final String DATA_ACCOUNT_DATA = "accountData";
public static final String PROCESS_ACTIVATE = "agent.activate";
public static final String PROCESS_RECONNECT = "agent.reconnect";
public static final String PROCESS_DEACTIVATE = "agent.deactivate";
public static final String PROCESS_REMOVE = "agent.remove";
public static final String REMOVE_OPTION = "remove";
public static final String AGENT_INSTANCE_BIND_MOUNT =
"/var/lib/rancher/etc:/var/lib/rancher/etc:ro";
}
| .version 52 0
.class public super AgentConstants
.super java/lang/Object
.field public static final TYPE Ljava/lang/String; = 'agent'
.field public static final USER Ljava/lang/String; = 'user'
.field public static final STATE_RECONNECTING Ljava/lang/String; = 'reconnecting'
.field public static final ID_REF Ljava/lang/String; = 'agentId'
.field public static final DATA_AGENT_RESOURCES_ACCOUNT_ID Ljava/lang/String; = 'agentResourcesAccountId'
.field public static final DATA_ACCOUNT_DATA Ljava/lang/String; = 'accountData'
.field public static final PROCESS_ACTIVATE Ljava/lang/String; = 'agent.activate'
.field public static final PROCESS_RECONNECT Ljava/lang/String; = 'agent.reconnect'
.field public static final PROCESS_DEACTIVATE Ljava/lang/String; = 'agent.deactivate'
.field public static final PROCESS_REMOVE Ljava/lang/String; = 'agent.remove'
.field public static final REMOVE_OPTION Ljava/lang/String; = 'remove'
.field public static final AGENT_INSTANCE_BIND_MOUNT Ljava/lang/String; = '/var/lib/rancher/etc:/var/lib/rancher/etc:ro'
.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 'AgentConstants.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 07:48: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 AgentConstants_ESTest extends AgentConstants_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
AgentConstants agentConstants0 = new AgentConstants();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 07:48: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 AgentConstants_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 = "AgentConstants";
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/tmpsq2l9f03");
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(AgentConstants_ESTest_scaffolding.class.getClassLoader() ,
"AgentConstants"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AgentConstants_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"AgentConstants"
);
}
}
| 1,430 |
InjectJava | // "JShellLanguage" "true"
/** {@snippet :<caret>} */
class InjectJava {}
| .version 52 0
.class super InjectJava
.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 6
.end linenumbertable
.end code
.end method
.sourcefile 'InjectJava.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 22:57: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 InjectJava_ESTest extends InjectJava_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
InjectJava injectJava0 = new InjectJava();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 22:57: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 InjectJava_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 = "InjectJava";
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/tmp4ft0puc0");
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(InjectJava_ESTest_scaffolding.class.getClassLoader() ,
"InjectJava"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(InjectJava_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"InjectJava"
);
}
}
| 1,431 |
Students | /**
* @author e.rossi
*/
import static java.util.stream.Collectors.*;
import static java.util.stream.IntStream.range;
import java.util.List;
import java.util.Map;
import java.util.Random;
public class Students {
public static void letsTry() {
// generate a list of 100 random names
List<String> students =
range(0, 100).mapToObj(i -> randomString(new Random(), 'A', 'Z', 10)).collect(toList());
// sort names and group by the first letter
Map<Character, List<String>> directory =
students.stream().sorted().collect(groupingBy(name -> name.charAt(0)));
// print a nicely-formatted student directory
directory.forEach(
(letter, names) ->
System.out.println(letter + "\n\t" + names.stream().collect(joining("\n\t"))));
}
public static String randomString(Random r, char from, char to, int length) {
return r.ints(from, to + 1)
.limit(length)
.collect(
() -> new StringBuffer(), (sb, c) -> sb.append((char) c), (sb1, sb2) -> sb1.append(sb2))
.toString();
}
/**
* or functional rush:
*
* <p>range(0, 100) .mapToObj(i -> randomString(new Random(), 'A', 'Z', 10)) .sorted()
* .collect(groupingBy(name -> name.charAt(0))) .forEach((letter, names) ->
* System.out.println(letter + "\n\t" + names.stream().collect(joining("\n\t"))));
*/
}
| .version 52 0
.class public super Students
.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 14
.end linenumbertable
.end code
.end method
.method public static letsTry : ()V
.code stack 2 locals 2
L0: iconst_0
L1: bipush 100
L3: invokestatic InterfaceMethod java/util/stream/IntStream range (II)Ljava/util/stream/IntStream;
L6: invokedynamic [id3]
L11: invokeinterface InterfaceMethod java/util/stream/IntStream mapToObj (Ljava/util/function/IntFunction;)Ljava/util/stream/Stream; 2
L16: invokestatic Method java/util/stream/Collectors toList ()Ljava/util/stream/Collector;
L19: invokeinterface InterfaceMethod java/util/stream/Stream collect (Ljava/util/stream/Collector;)Ljava/lang/Object; 2
L24: checkcast java/util/List
L27: astore_0
L28: aload_0
L29: invokeinterface InterfaceMethod java/util/List stream ()Ljava/util/stream/Stream; 1
L34: invokeinterface InterfaceMethod java/util/stream/Stream sorted ()Ljava/util/stream/Stream; 1
L39: invokedynamic [id10]
L44: invokestatic Method java/util/stream/Collectors groupingBy (Ljava/util/function/Function;)Ljava/util/stream/Collector;
L47: invokeinterface InterfaceMethod java/util/stream/Stream collect (Ljava/util/stream/Collector;)Ljava/lang/Object; 2
L52: checkcast java/util/Map
L55: astore_1
L56: aload_1
L57: invokedynamic [id13]
L62: invokeinterface InterfaceMethod java/util/Map forEach (Ljava/util/function/BiConsumer;)V 2
L67: return
L68:
.linenumbertable
L0 18
L28 21
L56 24
L67 25
.end linenumbertable
.end code
.end method
.method public static randomString : (Ljava/util/Random;CCI)Ljava/lang/String;
.code stack 4 locals 4
L0: aload_0
L1: iload_1
L2: iload_2
L3: iconst_1
L4: iadd
L5: invokevirtual Method java/util/Random ints (II)Ljava/util/stream/IntStream;
L8: iload_3
L9: i2l
L10: invokeinterface InterfaceMethod java/util/stream/IntStream limit (J)Ljava/util/stream/IntStream; 3
L15: invokedynamic [id17]
L20: invokedynamic [id18]
L25: invokedynamic [id19]
L30: invokeinterface InterfaceMethod java/util/stream/IntStream collect (Ljava/util/function/Supplier;Ljava/util/function/ObjIntConsumer;Ljava/util/function/BiConsumer;)Ljava/lang/Object; 4
L35: checkcast java/lang/StringBuffer
L38: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String;
L41: areturn
L42:
.linenumbertable
L0 28
L30 29
L38 31
L41 28
.end linenumbertable
.end code
.end method
.method private static synthetic lambda$randomString$5 : (Ljava/lang/StringBuffer;Ljava/lang/StringBuffer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/StringBuffer;)Ljava/lang/StringBuffer;
L5: pop
L6: return
L7:
.linenumbertable
L0 31
.end linenumbertable
.end code
.end method
.method private static synthetic lambda$randomString$4 : (Ljava/lang/StringBuffer;I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: i2c
L3: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer;
L6: pop
L7: return
L8:
.linenumbertable
L0 30
.end linenumbertable
.end code
.end method
.method private static synthetic lambda$randomString$3 : ()Ljava/lang/StringBuffer;
.code stack 2 locals 0
L0: new java/lang/StringBuffer
L3: dup
L4: invokespecial Method java/lang/StringBuffer <init> ()V
L7: areturn
L8:
.linenumbertable
L0 29
.end linenumbertable
.end code
.end method
.method private static synthetic lambda$letsTry$2 : (Ljava/lang/Character;Ljava/util/List;)V
.code stack 4 locals 2
L0: getstatic Field java/lang/System out Ljava/io/PrintStream;
L3: new java/lang/StringBuilder
L6: dup
L7: invokespecial Method java/lang/StringBuilder <init> ()V
L10: aload_0
L11: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L14: ldc '\n\t'
L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L19: aload_1
L20: invokeinterface InterfaceMethod java/util/List stream ()Ljava/util/stream/Stream; 1
L25: ldc '\n\t'
L27: invokestatic Method java/util/stream/Collectors joining (Ljava/lang/CharSequence;)Ljava/util/stream/Collector;
L30: invokeinterface InterfaceMethod java/util/stream/Stream collect (Ljava/util/stream/Collector;)Ljava/lang/Object; 2
L35: checkcast java/lang/String
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 println (Ljava/lang/String;)V
L47: return
L48:
.linenumbertable
L0 24
.end linenumbertable
.end code
.end method
.method private static synthetic lambda$letsTry$1 : (Ljava/lang/String;)Ljava/lang/Character;
.code stack 2 locals 1
L0: aload_0
L1: iconst_0
L2: invokevirtual Method java/lang/String charAt (I)C
L5: invokestatic Method java/lang/Character valueOf (C)Ljava/lang/Character;
L8: areturn
L9:
.linenumbertable
L0 21
.end linenumbertable
.end code
.end method
.method private static synthetic lambda$letsTry$0 : (I)Ljava/lang/String;
.code stack 4 locals 1
L0: new java/util/Random
L3: dup
L4: invokespecial Method java/util/Random <init> ()V
L7: bipush 65
L9: bipush 90
L11: bipush 10
L13: invokestatic Method Students randomString (Ljava/util/Random;CCI)Ljava/lang/String;
L16: areturn
L17:
.linenumbertable
L0 18
.end linenumbertable
.end code
.end method
.sourcefile 'Students.java'
.innerclasses
java/lang/invoke/MethodHandles$Lookup java/lang/invoke/MethodHandles Lookup public static final
.end innerclasses
.const [id3] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory (Ljava/lang/invoke/MethodHandles$Lookup;Ljava/lang/String;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodHandle;Ljava/lang/invoke/MethodType;)Ljava/lang/invoke/CallSite; MethodType (I)Ljava/lang/Object; MethodHandle invokeStatic Method Students lambda$letsTry$0 (I)Ljava/lang/String; MethodType (I)Ljava/lang/String; : apply ()Ljava/util/function/IntFunction;
.const [id10] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory (Ljava/lang/invoke/MethodHandles$Lookup;Ljava/lang/String;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodHandle;Ljava/lang/invoke/MethodType;)Ljava/lang/invoke/CallSite; MethodType (Ljava/lang/Object;)Ljava/lang/Object; MethodHandle invokeStatic Method Students lambda$letsTry$1 (Ljava/lang/String;)Ljava/lang/Character; MethodType (Ljava/lang/String;)Ljava/lang/Character; : apply ()Ljava/util/function/Function;
.const [id13] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory (Ljava/lang/invoke/MethodHandles$Lookup;Ljava/lang/String;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodHandle;Ljava/lang/invoke/MethodType;)Ljava/lang/invoke/CallSite; MethodType (Ljava/lang/Object;Ljava/lang/Object;)V MethodHandle invokeStatic Method Students lambda$letsTry$2 (Ljava/lang/Character;Ljava/util/List;)V MethodType (Ljava/lang/Character;Ljava/util/List;)V : accept ()Ljava/util/function/BiConsumer;
.const [id17] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory (Ljava/lang/invoke/MethodHandles$Lookup;Ljava/lang/String;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodHandle;Ljava/lang/invoke/MethodType;)Ljava/lang/invoke/CallSite; MethodType ()Ljava/lang/Object; MethodHandle invokeStatic Method Students lambda$randomString$3 ()Ljava/lang/StringBuffer; MethodType ()Ljava/lang/StringBuffer; : get ()Ljava/util/function/Supplier;
.const [id18] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory [u201] MethodType (Ljava/lang/Object;I)V MethodHandle invokeStatic Method Students lambda$randomString$4 (Ljava/lang/StringBuffer;I)V MethodType (Ljava/lang/StringBuffer;I)V : accept ()Ljava/util/function/ObjIntConsumer;
.const [id19] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory [u201] MethodType (Ljava/lang/Object;Ljava/lang/Object;)V MethodHandle invokeStatic Method Students lambda$randomString$5 (Ljava/lang/StringBuffer;Ljava/lang/StringBuffer;)V MethodType (Ljava/lang/StringBuffer;Ljava/lang/StringBuffer;)V : accept ()Ljava/util/function/BiConsumer;
.const [u201] = Utf8 (Ljava/lang/invoke/MethodHandles$Lookup;Ljava/lang/String;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodHandle;Ljava/lang/invoke/MethodType;)Ljava/lang/invoke/CallSite;
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 11:59:10 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.mock.java.util.MockRandom;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Students_ESTest extends Students_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
MockRandom mockRandom0 = new MockRandom();
String string0 = Students.randomString(mockRandom0, '[', '[', 15196);
assertNotNull(string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
MockRandom mockRandom0 = new MockRandom();
String string0 = Students.randomString(mockRandom0, 't', 't', 0);
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Students.letsTry();
Students students0 = new Students();
Students.letsTry();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 11:59: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 Students_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 = "Students";
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/tmph3v7vhj_");
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(Students_ESTest_scaffolding.class.getClassLoader() ,
"Students"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Students_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Students"
);
}
}
| 1,432 |
App | /** Hello world! */
public class App {
public static void main(String[] args) {
System.out.println("Hello World!");
}
}
| .version 52 0
.class public super App
.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 2 locals 1
L0: getstatic Field java/lang/System out Ljava/io/PrintStream;
L3: ldc 'Hello World!'
L5: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L8: return
L9:
.linenumbertable
L0 11
L8 12
.end linenumbertable
.end code
.end method
.sourcefile 'App.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 13:22: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 App_ESTest extends App_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[7];
App.main(stringArray0);
assertEquals(7, stringArray0.length);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
App app0 = new App();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 13:22: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 App_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 = "App";
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/tmpnlhscni8");
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(App_ESTest_scaffolding.class.getClassLoader() ,
"App"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(App_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"App"
);
}
}
| 1,433 |
Vector | /** Created by jonathan on 05/12/16. */
public class Vector {
private double x;
private double y;
public Vector(double x, double y) {
this.x = x;
this.y = y;
}
public Vector(Vector v) {
this.x = v.x;
this.y = v.y;
}
public double getX() {
return x;
}
public double getY() {
return y;
}
public Vector multiply(double d) {
return new Vector(x * d, y * d);
}
public Vector delta(Vector p) {
return new Vector(p.x - this.x, p.y - this.y);
}
public Vector add(Vector p) {
return new Vector(this.x + p.x, this.y + p.y);
}
public Vector sub(Vector p) {
return new Vector(this.x - p.x, this.y - p.y);
}
public double length() {
return Math.sqrt(this.x * this.x + this.y * this.y);
}
public Vector norm() {
double len = this.length();
if (len == 0) {
return new Vector(0, 0);
}
return new Vector(this.x / len, this.y / len);
}
public Vector clip(double min, double max) {
double x = Math.max(min, Math.min(this.x, max));
double y = Math.max(min, Math.min(this.y, max));
return new Vector(x, y);
}
public Vector wrap() {
double x = this.x;
double y = this.y;
if (x > 1.0) x = 0.0;
else if (x < 0.0) x = 1.0;
if (y > 1.0) y = 0.0;
else if (y < 0.0) y = 1.0;
return new Vector(x, y);
}
@Override
public String toString() {
return "Vector{" + "x=" + x + ", y=" + y + '}';
}
}
| .version 52 0
.class public super Vector
.super java/lang/Object
.field private x D
.field private y D
.method public <init> : (DD)V
.code stack 3 locals 5
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: dload_1
L6: putfield Field Vector x D
L9: aload_0
L10: dload_3
L11: putfield Field Vector y D
L14: return
L15:
.linenumbertable
L0 10
L4 11
L9 12
L14 13
.end linenumbertable
.end code
.end method
.method public <init> : (LVector;)V
.code stack 3 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: getfield Field Vector x D
L9: putfield Field Vector x D
L12: aload_0
L13: aload_1
L14: getfield Field Vector y D
L17: putfield Field Vector y D
L20: return
L21:
.linenumbertable
L0 15
L4 16
L12 17
L20 18
.end linenumbertable
.end code
.end method
.method public getX : ()D
.code stack 2 locals 1
L0: aload_0
L1: getfield Field Vector x D
L4: dreturn
L5:
.linenumbertable
L0 21
.end linenumbertable
.end code
.end method
.method public getY : ()D
.code stack 2 locals 1
L0: aload_0
L1: getfield Field Vector y D
L4: dreturn
L5:
.linenumbertable
L0 25
.end linenumbertable
.end code
.end method
.method public multiply : (D)LVector;
.code stack 8 locals 3
L0: new Vector
L3: dup
L4: aload_0
L5: getfield Field Vector x D
L8: dload_1
L9: dmul
L10: aload_0
L11: getfield Field Vector y D
L14: dload_1
L15: dmul
L16: invokespecial Method Vector <init> (DD)V
L19: areturn
L20:
.linenumbertable
L0 29
.end linenumbertable
.end code
.end method
.method public delta : (LVector;)LVector;
.code stack 8 locals 2
L0: new Vector
L3: dup
L4: aload_1
L5: getfield Field Vector x D
L8: aload_0
L9: getfield Field Vector x D
L12: dsub
L13: aload_1
L14: getfield Field Vector y D
L17: aload_0
L18: getfield Field Vector y D
L21: dsub
L22: invokespecial Method Vector <init> (DD)V
L25: areturn
L26:
.linenumbertable
L0 33
.end linenumbertable
.end code
.end method
.method public add : (LVector;)LVector;
.code stack 8 locals 2
L0: new Vector
L3: dup
L4: aload_0
L5: getfield Field Vector x D
L8: aload_1
L9: getfield Field Vector x D
L12: dadd
L13: aload_0
L14: getfield Field Vector y D
L17: aload_1
L18: getfield Field Vector y D
L21: dadd
L22: invokespecial Method Vector <init> (DD)V
L25: areturn
L26:
.linenumbertable
L0 37
.end linenumbertable
.end code
.end method
.method public sub : (LVector;)LVector;
.code stack 8 locals 2
L0: new Vector
L3: dup
L4: aload_0
L5: getfield Field Vector x D
L8: aload_1
L9: getfield Field Vector x D
L12: dsub
L13: aload_0
L14: getfield Field Vector y D
L17: aload_1
L18: getfield Field Vector y D
L21: dsub
L22: invokespecial Method Vector <init> (DD)V
L25: areturn
L26:
.linenumbertable
L0 41
.end linenumbertable
.end code
.end method
.method public length : ()D
.code stack 6 locals 1
L0: aload_0
L1: getfield Field Vector x D
L4: aload_0
L5: getfield Field Vector x D
L8: dmul
L9: aload_0
L10: getfield Field Vector y D
L13: aload_0
L14: getfield Field Vector y D
L17: dmul
L18: dadd
L19: invokestatic Method java/lang/Math sqrt (D)D
L22: dreturn
L23:
.linenumbertable
L0 45
.end linenumbertable
.end code
.end method
.method public norm : ()LVector;
.code stack 8 locals 3
L0: aload_0
L1: invokevirtual Method Vector length ()D
L4: dstore_1
L5: dload_1
L6: dconst_0
L7: dcmpl
L8: ifne L21
L11: new Vector
L14: dup
L15: dconst_0
L16: dconst_0
L17: invokespecial Method Vector <init> (DD)V
L20: areturn
.stack append Double
L21: new Vector
L24: dup
L25: aload_0
L26: getfield Field Vector x D
L29: dload_1
L30: ddiv
L31: aload_0
L32: getfield Field Vector y D
L35: dload_1
L36: ddiv
L37: invokespecial Method Vector <init> (DD)V
L40: areturn
L41:
.linenumbertable
L0 49
L5 50
L11 51
L21 54
.end linenumbertable
.end code
.end method
.method public clip : (DD)LVector;
.code stack 6 locals 9
L0: dload_1
L1: aload_0
L2: getfield Field Vector x D
L5: dload_3
L6: invokestatic Method java/lang/Math min (DD)D
L9: invokestatic Method java/lang/Math max (DD)D
L12: dstore 5
L14: dload_1
L15: aload_0
L16: getfield Field Vector y D
L19: dload_3
L20: invokestatic Method java/lang/Math min (DD)D
L23: invokestatic Method java/lang/Math max (DD)D
L26: dstore 7
L28: new Vector
L31: dup
L32: dload 5
L34: dload 7
L36: invokespecial Method Vector <init> (DD)V
L39: areturn
L40:
.linenumbertable
L0 58
L14 59
L28 61
.end linenumbertable
.end code
.end method
.method public wrap : ()LVector;
.code stack 6 locals 5
L0: aload_0
L1: getfield Field Vector x D
L4: dstore_1
L5: aload_0
L6: getfield Field Vector y D
L9: dstore_3
L10: dload_1
L11: dconst_1
L12: dcmpl
L13: ifle L21
L16: dconst_0
L17: dstore_1
L18: goto L29
.stack append Double Double
L21: dload_1
L22: dconst_0
L23: dcmpg
L24: ifge L29
L27: dconst_1
L28: dstore_1
.stack same
L29: dload_3
L30: dconst_1
L31: dcmpl
L32: ifle L40
L35: dconst_0
L36: dstore_3
L37: goto L48
.stack same
L40: dload_3
L41: dconst_0
L42: dcmpg
L43: ifge L48
L46: dconst_1
L47: dstore_3
.stack same
L48: new Vector
L51: dup
L52: dload_1
L53: dload_3
L54: invokespecial Method Vector <init> (DD)V
L57: areturn
L58:
.linenumbertable
L0 65
L5 66
L10 68
L16 69
L21 70
L27 71
L29 73
L35 74
L40 75
L46 76
L48 78
.end linenumbertable
.end code
.end method
.method public toString : ()Ljava/lang/String;
.code stack 3 locals 1
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: ldc 'Vector{x='
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field Vector x D
L16: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L19: ldc ', y='
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: aload_0
L25: getfield Field Vector y D
L28: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L31: bipush 125
L33: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L36: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L39: areturn
L40:
.linenumbertable
L0 83
.end linenumbertable
.end code
.end method
.sourcefile 'Vector.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 19:46: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 Vector_ESTest extends Vector_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
Vector vector0 = new Vector(1.0, 1644.62363);
Vector vector1 = vector0.delta(vector0);
Vector vector2 = vector1.sub(vector0);
assertEquals((-1644.62363), vector2.getY(), 1.0E-4);
assertEquals((-1.0), vector2.getX(), 1.0E-4);
assertEquals(1.0, vector0.getX(), 1.0E-4);
assertEquals(1644.62363, vector0.getY(), 1.0E-4);
assertEquals(1644.6239340208986, vector2.length(), 1.0E-4);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
Vector vector0 = new Vector((-1.0), 1.0);
Vector vector1 = vector0.add(vector0);
Vector vector2 = vector1.sub(vector0);
assertEquals(2.8284271247461903, vector1.length(), 1.0E-4);
assertEquals(1.4142135623730951, vector2.length(), 1.0E-4);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
Vector vector0 = new Vector((-1.0), (-1.0));
Vector vector1 = vector0.norm();
Vector vector2 = vector1.sub(vector0);
Vector vector3 = vector2.multiply((-34011.358017017));
assertEquals((-9961.696125820834), vector3.getX(), 1.0E-4);
assertEquals((-9961.696125820834), vector3.getY(), 1.0E-4);
assertEquals(14087.965765375342, vector3.length(), 1.0E-4);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
Vector vector0 = new Vector(0.0, 0.0);
double double0 = vector0.length();
assertEquals(0.0, double0, 1.0E-4);
assertEquals(0.0, vector0.getY(), 1.0E-4);
assertEquals(0.0, vector0.getX(), 1.0E-4);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
Vector vector0 = new Vector(0.0, 0.0);
double double0 = vector0.getY();
assertEquals(0.0, double0, 1.0E-4);
assertEquals(0.0, vector0.getX(), 1.0E-4);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
Vector vector0 = new Vector((-1.0), (-1.0));
double double0 = vector0.getY();
assertEquals((-1.0), double0, 1.0E-4);
assertEquals((-1.0), vector0.getX(), 1.0E-4);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
Vector vector0 = new Vector((-14766.2), (-14766.2));
Vector vector1 = vector0.clip(0.0, (-9529.0));
double double0 = vector1.getX();
assertEquals(0.0, vector1.getY(), 1.0E-4);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
Vector vector0 = new Vector((-1.0), (-1.0));
Vector vector1 = vector0.norm();
Vector vector2 = vector1.sub(vector0);
double double0 = vector2.getX();
assertEquals(0.41421356237309515, vector2.length(), 1.0E-4);
assertEquals(0.29289321881345254, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
Vector vector0 = new Vector((-1.0), (-1.0));
Vector vector1 = vector0.sub(vector0);
Vector vector2 = vector0.delta(vector1);
assertEquals(1.0, vector2.getX(), 1.0E-4);
assertEquals(1.0, vector2.getY(), 1.0E-4);
assertEquals(0.0, vector1.getY(), 1.0E-4);
assertEquals(0.0, vector1.getX(), 1.0E-4);
assertEquals(1.4142135623730951, vector2.length(), 1.0E-4);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
Vector vector0 = new Vector((-7063.78653), 0.0);
Vector vector1 = vector0.add(vector0);
Vector vector2 = vector1.delta(vector0);
assertEquals(7063.78653, vector2.getX(), 1.0E-4);
assertEquals(0.0, vector2.getY(), 1.0E-4);
assertEquals(0.0, vector0.getY(), 1.0E-4);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
Vector vector0 = new Vector((-89020.5146394819), (-89020.5146394819));
Vector vector1 = vector0.multiply(0.0);
Vector vector2 = new Vector(vector1);
Vector vector3 = vector2.delta(vector0);
assertEquals(-0.0, vector2.getX(), 1.0E-4);
assertEquals(-0.0, vector2.getY(), 1.0E-4);
assertEquals((-89020.5146394819), vector3.getY(), 1.0E-4);
assertEquals((-89020.5146394819), vector3.getX(), 1.0E-4);
assertEquals(125894.01913258796, vector3.length(), 1.0E-4);
assertEquals((-89020.5146394819), vector0.getY(), 1.0E-4);
assertEquals((-89020.5146394819), vector0.getX(), 1.0E-4);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
Vector vector0 = new Vector((-89020.5146394819), (-89020.5146394819));
Vector vector1 = vector0.clip((-1.0), (-1.0));
assertEquals((-1.0), vector1.getX(), 1.0E-4);
assertEquals((-1.0), vector1.getY(), 1.0E-4);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
Vector vector0 = new Vector((-89020.5146394819), (-89020.5146394819));
Vector vector1 = vector0.multiply(0.0);
Vector vector2 = new Vector(vector1);
Vector vector3 = vector1.add(vector2);
assertEquals(-0.0, vector3.getY(), 1.0E-4);
assertEquals(-0.0, vector3.getX(), 1.0E-4);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
Vector vector0 = new Vector((-89020.5146394819), (-89020.5146394819));
Vector vector1 = vector0.add(vector0);
assertEquals(251788.0382651759, vector1.length(), 1.0E-4);
assertEquals((-89020.5146394819), vector0.getX(), 1.0E-4);
assertEquals((-89020.5146394819), vector0.getY(), 1.0E-4);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
Vector vector0 = new Vector((-89020.5146394819), (-89020.5146394819));
double double0 = vector0.length();
assertEquals(125894.01913258796, double0, 1.0E-4);
assertEquals((-89020.5146394819), vector0.getY(), 1.0E-4);
assertEquals((-89020.5146394819), vector0.getX(), 1.0E-4);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
Vector vector0 = new Vector((-89020.5146394819), (-89020.5146394819));
Vector vector1 = vector0.multiply(0.0);
Vector vector2 = vector1.wrap();
assertEquals(-0.0, vector2.getY(), 1.0E-4);
assertEquals(-0.0, vector2.getX(), 1.0E-4);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
Vector vector0 = new Vector((-89020.5146394819), (-89020.5146394819));
Vector vector1 = vector0.wrap();
Vector vector2 = vector1.wrap();
assertEquals(1.4142135623730951, vector2.length(), 1.0E-4);
assertEquals(1.0, vector2.getX(), 1.0E-4);
assertEquals(1.0, vector2.getY(), 1.0E-4);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
Vector vector0 = new Vector((-1.0), (-1.0));
Vector vector1 = vector0.clip(29866.879340395775, 0.0);
Vector vector2 = vector1.wrap();
assertEquals(0.0, vector2.getX(), 1.0E-4);
assertEquals(0.0, vector2.getY(), 1.0E-4);
assertEquals(0.0, vector2.length(), 1.0E-4);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
Vector vector0 = new Vector((-89020.5146394819), (-89020.5146394819));
Vector vector1 = vector0.multiply(0.0);
Vector vector2 = vector1.norm();
assertEquals((-89020.5146394819), vector0.getX(), 1.0E-4);
assertEquals((-89020.5146394819), vector0.getY(), 1.0E-4);
assertEquals(125894.01913258796, vector0.length(), 1.0E-4);
assertEquals(-0.0, vector1.getY(), 1.0E-4);
assertEquals(-0.0, vector1.getX(), 1.0E-4);
assertEquals(0.0, vector2.length(), 1.0E-4);
}
@Test(timeout = 4000)
public void test19() throws Throwable {
Vector vector0 = new Vector(1.0, 89519.3433779044);
Vector vector1 = vector0.norm();
assertEquals(0.9999999999999999, vector1.length(), 1.0E-4);
assertEquals(1.1170770050402668E-5, vector1.getX(), 1.0E-4);
assertEquals(1.0, vector0.getX(), 1.0E-4);
assertEquals(89519.3433779044, vector0.getY(), 1.0E-4);
assertEquals(0.9999999999376069, vector1.getY(), 1.0E-4);
}
@Test(timeout = 4000)
public void test20() throws Throwable {
Vector vector0 = new Vector(1.0, 89519.3433779044);
Vector vector1 = vector0.add(vector0);
assertEquals(179038.68676697958, vector1.length(), 1.0E-4);
assertEquals(89519.3433779044, vector0.getY(), 1.0E-4);
assertEquals(1.0, vector0.getX(), 1.0E-4);
}
@Test(timeout = 4000)
public void test21() throws Throwable {
Vector vector0 = new Vector(1.0, 89519.3433779044);
String string0 = vector0.toString();
assertEquals("Vector{x=1.0, y=89519.3433779044}", string0);
}
@Test(timeout = 4000)
public void test22() throws Throwable {
Vector vector0 = new Vector((-14766.2), (-14766.2));
double double0 = vector0.getX();
assertEquals((-14766.2), vector0.getY(), 1.0E-4);
assertEquals((-14766.2), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test23() throws Throwable {
Vector vector0 = new Vector(1.0, 89519.3433779044);
Vector vector1 = vector0.multiply(89519.3433779044);
assertEquals(8.013712838811156E9, vector1.getY(), 1.0E-4);
assertEquals(89519.3433779044, vector0.getY(), 1.0E-4);
assertEquals(1.0, vector0.getX(), 1.0E-4);
assertEquals(8.013712839311156E9, vector1.length(), 1.0E-4);
assertEquals(89519.3433779044, vector1.getX(), 1.0E-4);
}
@Test(timeout = 4000)
public void test24() throws Throwable {
Vector vector0 = new Vector(1.0, 89519.3433779044);
double double0 = vector0.getY();
assertEquals(1.0, vector0.getX(), 1.0E-4);
assertEquals(89519.3433779044, double0, 1.0E-4);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 19:46: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 Vector_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 = "Vector";
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/tmpfuypc8yu");
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(Vector_ESTest_scaffolding.class.getClassLoader() ,
"Vector"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Vector_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Vector"
);
}
}
| 1,434 |
Person | public class Person {
private String name;
private String timeZone;
public Person(String name, String timeZone) {
this.name = name;
this.timeZone = timeZone;
}
public String getName() {
return name;
}
public String getTimeZone() {
return timeZone;
}
}
| .version 52 0
.class public super Person
.super java/lang/Object
.field private name Ljava/lang/String;
.field private timeZone Ljava/lang/String;
.method public <init> : (Ljava/lang/String;Ljava/lang/String;)V
.code stack 2 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field Person name Ljava/lang/String;
L9: aload_0
L10: aload_2
L11: putfield Field Person timeZone Ljava/lang/String;
L14: return
L15:
.linenumbertable
L0 9
L4 10
L9 11
L14 12
.end linenumbertable
.end code
.end method
.method public getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Person name Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 14
.end linenumbertable
.end code
.end method
.method public getTimeZone : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Person timeZone Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 15
.end linenumbertable
.end code
.end method
.sourcefile 'Person.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 03:04:26 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 Person_ESTest extends Person_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Person person0 = new Person((String) null, (String) null);
String string0 = person0.getTimeZone();
assertNull(string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Person person0 = new Person("WhfJY7E", "");
String string0 = person0.getTimeZone();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Person person0 = new Person((String) null, (String) null);
String string0 = person0.getName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Person person0 = new Person("WhfJY7E", "");
String string0 = person0.getName();
assertEquals("WhfJY7E", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Person person0 = new Person("", "]AsxU");
String string0 = person0.getName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Person person0 = new Person("", "]AsxU");
String string0 = person0.getTimeZone();
assertEquals("]AsxU", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 03:04: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 Person_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 = "Person";
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/tmpbcxnrctg");
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(Person_ESTest_scaffolding.class.getClassLoader() ,
"Person"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Person_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Person"
);
}
}
| 1,435 |
ProcessStreamReader | /*
* Copyright (c) 2010-2015 Pivotal Software, Inc. 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. See accompanying
* LICENSE file.
*/
import java.io.BufferedReader;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.util.List;
import java.util.Queue;
/**
* Reads the output from a stream and stores it for test validation. Extracted from ProcessWrapper.
*
* @author Kirk Lund
*/
public class ProcessStreamReader extends Thread {
private final BufferedReader reader;
private final Queue<String> lineBuffer;
private final List<String> allLines;
public int linecount = 0;
public ProcessStreamReader(InputStream stream, Queue<String> lineBuffer, List<String> allLines) {
this.reader = new BufferedReader(new InputStreamReader(stream));
this.lineBuffer = lineBuffer;
this.allLines = allLines;
}
@Override
public void run() {
try {
String line;
while ((line = reader.readLine()) != null) {
linecount++;
lineBuffer.offer(line);
allLines.add(line);
}
// EOF
reader.close();
} catch (Exception e) {
System.out.println("Failure while reading from child process: " + e.getMessage());
}
}
}
| .version 52 0
.class public super ProcessStreamReader
.super java/lang/Thread
.field private final reader Ljava/io/BufferedReader;
.field private final lineBuffer Ljava/util/Queue; .fieldattributes
.signature Ljava/util/Queue<Ljava/lang/String;>;
.end fieldattributes
.field private final allLines Ljava/util/List; .fieldattributes
.signature Ljava/util/List<Ljava/lang/String;>;
.end fieldattributes
.field public linecount I
.method public <init> : (Ljava/io/InputStream;Ljava/util/Queue;Ljava/util/List;)V
.code stack 6 locals 4
L0: aload_0
L1: invokespecial Method java/lang/Thread <init> ()V
L4: aload_0
L5: iconst_0
L6: putfield Field ProcessStreamReader linecount I
L9: aload_0
L10: new java/io/BufferedReader
L13: dup
L14: new java/io/InputStreamReader
L17: dup
L18: aload_1
L19: invokespecial Method java/io/InputStreamReader <init> (Ljava/io/InputStream;)V
L22: invokespecial Method java/io/BufferedReader <init> (Ljava/io/Reader;)V
L25: putfield Field ProcessStreamReader reader Ljava/io/BufferedReader;
L28: aload_0
L29: aload_2
L30: putfield Field ProcessStreamReader lineBuffer Ljava/util/Queue;
L33: aload_0
L34: aload_3
L35: putfield Field ProcessStreamReader allLines Ljava/util/List;
L38: return
L39:
.linenumbertable
L0 39
L4 37
L9 40
L28 41
L33 42
L38 43
.end linenumbertable
.end code
.signature (Ljava/io/InputStream;Ljava/util/Queue<Ljava/lang/String;>;Ljava/util/List<Ljava/lang/String;>;)V
.end method
.method public run : ()V
.code stack 3 locals 2
.catch java/lang/Exception from L0 to L54 using L57
.stack same
L0: aload_0
L1: getfield Field ProcessStreamReader reader Ljava/io/BufferedReader;
L4: invokevirtual Method java/io/BufferedReader readLine ()Ljava/lang/String;
L7: dup
L8: astore_1
L9: ifnull L47
L12: aload_0
L13: dup
L14: getfield Field ProcessStreamReader linecount I
L17: iconst_1
L18: iadd
L19: putfield Field ProcessStreamReader linecount I
L22: aload_0
L23: getfield Field ProcessStreamReader lineBuffer Ljava/util/Queue;
L26: aload_1
L27: invokeinterface InterfaceMethod java/util/Queue offer (Ljava/lang/Object;)Z 2
L32: pop
L33: aload_0
L34: getfield Field ProcessStreamReader allLines Ljava/util/List;
L37: aload_1
L38: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L43: pop
L44: goto L0
.stack append Object java/lang/String
L47: aload_0
L48: getfield Field ProcessStreamReader reader Ljava/io/BufferedReader;
L51: invokevirtual Method java/io/BufferedReader close ()V
L54: goto L86
.stack full
locals Object ProcessStreamReader
stack Object java/lang/Exception
.end stack
L57: astore_1
L58: getstatic Field java/lang/System out Ljava/io/PrintStream;
L61: new java/lang/StringBuilder
L64: dup
L65: invokespecial Method java/lang/StringBuilder <init> ()V
L68: ldc 'Failure while reading from child process: '
L70: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L73: aload_1
L74: invokevirtual Method java/lang/Exception getMessage ()Ljava/lang/String;
L77: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L80: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L83: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack same
L86: return
L87:
.linenumbertable
L0 49
L12 50
L22 51
L33 52
L47 56
L54 59
L57 57
L58 58
L86 60
.end linenumbertable
.end code
.end method
.sourcefile 'ProcessStreamReader.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 13:41:12 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.io.PipedInputStream;
import java.io.PipedOutputStream;
import java.util.LinkedList;
import java.util.PriorityQueue;
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 ProcessStreamReader_ESTest extends ProcessStreamReader_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
PipedOutputStream pipedOutputStream0 = new PipedOutputStream();
PipedInputStream pipedInputStream0 = new PipedInputStream(pipedOutputStream0, 12411);
PriorityQueue<String> priorityQueue0 = new PriorityQueue<String>();
pipedOutputStream0.close();
LinkedList<String> linkedList0 = new LinkedList<String>();
ProcessStreamReader processStreamReader0 = new ProcessStreamReader(pipedInputStream0, priorityQueue0, linkedList0);
processStreamReader0.run();
processStreamReader0.run();
assertEquals(0, processStreamReader0.linecount);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 13:41: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 ProcessStreamReader_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 = "ProcessStreamReader";
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/tmpwkcsfbp9");
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(ProcessStreamReader_ESTest_scaffolding.class.getClassLoader() ,
"ProcessStreamReader"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ProcessStreamReader_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ProcessStreamReader"
);
}
}
| 1,436 |
StrConcatApp | /*
* Copyright (c) 2019, 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.
*
*/
public class StrConcatApp {
public static void main(String args[]) {
System.out.println("length = " + args.length);
}
}
| .version 52 0
.class public super StrConcatApp
.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 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 'length = '
L12: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L15: aload_0
L16: arraylength
L17: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L20: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L23: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L26: return
L27:
.linenumbertable
L0 27
L26 28
.end linenumbertable
.end code
.end method
.sourcefile 'StrConcatApp.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 18:04: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 StrConcatApp_ESTest extends StrConcatApp_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
StrConcatApp strConcatApp0 = new StrConcatApp();
}
@Test(timeout = 4000)
public void test1() throws Throwable {
String[] stringArray0 = new String[9];
StrConcatApp.main(stringArray0);
assertEquals(9, stringArray0.length);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 18:04: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 StrConcatApp_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 = "StrConcatApp";
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/tmp11eryhaz");
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(StrConcatApp_ESTest_scaffolding.class.getClassLoader() ,
"StrConcatApp"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(StrConcatApp_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"StrConcatApp"
);
}
}
| 1,437 |
Teacher | import java.io.Serializable;
public class Teacher implements Serializable {
private Long id;
private String name;
private Integer moviesnum;
private Long likesnum;
private String img;
private Long viewsnum;
public Long getId() {
return id;
}
public void setId(Long id) {
this.id = id;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name == null ? null : name.trim();
}
public Integer getMoviesnum() {
return moviesnum;
}
public void setMoviesnum(Integer moviesnum) {
this.moviesnum = moviesnum;
}
public Long getLikesnum() {
return likesnum;
}
public void setLikesnum(Long likesnum) {
this.likesnum = likesnum;
}
public String getImg() {
return img;
}
public void setImg(String img) {
this.img = img == null ? null : img.trim();
}
public Long getViewsnum() {
return viewsnum;
}
public void setViewsnum(Long viewsnum) {
this.viewsnum = viewsnum;
}
}
| .version 52 0
.class public super Teacher
.super java/lang/Object
.implements java/io/Serializable
.field private id Ljava/lang/Long;
.field private name Ljava/lang/String;
.field private moviesnum Ljava/lang/Integer;
.field private likesnum Ljava/lang/Long;
.field private img Ljava/lang/String;
.field private viewsnum Ljava/lang/Long;
.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 Teacher id Ljava/lang/Long;
L4: areturn
L5:
.linenumbertable
L0 19
.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 Teacher id Ljava/lang/Long;
L5: return
L6:
.linenumbertable
L0 23
L5 24
.end linenumbertable
.end code
.end method
.method public getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Teacher name Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 27
.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: ifnonnull L9
L5: aconst_null
L6: goto L13
.stack stack_1 Object Teacher
L9: aload_1
L10: invokevirtual Method java/lang/String trim ()Ljava/lang/String;
.stack full
locals Object Teacher Object java/lang/String
stack Object Teacher Object java/lang/String
.end stack
L13: putfield Field Teacher name Ljava/lang/String;
L16: return
L17:
.linenumbertable
L0 31
L16 32
.end linenumbertable
.end code
.end method
.method public getMoviesnum : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Teacher moviesnum Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 35
.end linenumbertable
.end code
.end method
.method public setMoviesnum : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Teacher moviesnum Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 39
L5 40
.end linenumbertable
.end code
.end method
.method public getLikesnum : ()Ljava/lang/Long;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Teacher likesnum Ljava/lang/Long;
L4: areturn
L5:
.linenumbertable
L0 43
.end linenumbertable
.end code
.end method
.method public setLikesnum : (Ljava/lang/Long;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Teacher likesnum Ljava/lang/Long;
L5: return
L6:
.linenumbertable
L0 47
L5 48
.end linenumbertable
.end code
.end method
.method public getImg : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Teacher img Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 51
.end linenumbertable
.end code
.end method
.method public setImg : (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 Teacher
L9: aload_1
L10: invokevirtual Method java/lang/String trim ()Ljava/lang/String;
.stack full
locals Object Teacher Object java/lang/String
stack Object Teacher Object java/lang/String
.end stack
L13: putfield Field Teacher img Ljava/lang/String;
L16: return
L17:
.linenumbertable
L0 55
L16 56
.end linenumbertable
.end code
.end method
.method public getViewsnum : ()Ljava/lang/Long;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Teacher viewsnum Ljava/lang/Long;
L4: areturn
L5:
.linenumbertable
L0 59
.end linenumbertable
.end code
.end method
.method public setViewsnum : (Ljava/lang/Long;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Teacher viewsnum Ljava/lang/Long;
L5: return
L6:
.linenumbertable
L0 63
L5 64
.end linenumbertable
.end code
.end method
.sourcefile 'Teacher.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 16:22: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 Teacher_ESTest extends Teacher_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
Teacher teacher0 = new Teacher();
Long long0 = new Long((-97003L));
teacher0.setViewsnum(long0);
Long long1 = teacher0.getViewsnum();
assertEquals((-97003L), (long)long1);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
Teacher teacher0 = new Teacher();
Long long0 = new Long(0L);
teacher0.setViewsnum(long0);
Long long1 = teacher0.getViewsnum();
assertEquals(0L, (long)long1);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
Teacher teacher0 = new Teacher();
Long long0 = new Long(4394L);
teacher0.setViewsnum(long0);
Long long1 = teacher0.getViewsnum();
assertEquals(4394L, (long)long1);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
Teacher teacher0 = new Teacher();
Long long0 = new Long((-105538L));
teacher0.setViewsnum(long0);
Long long1 = teacher0.getViewsnum();
assertEquals((-105538L), (long)long1);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
Teacher teacher0 = new Teacher();
teacher0.setName("hF");
String string0 = teacher0.getName();
assertEquals("hF", string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
Teacher teacher0 = new Teacher();
Integer integer0 = new Integer(0);
teacher0.setMoviesnum(integer0);
Integer integer1 = teacher0.getMoviesnum();
assertEquals(0, (int)integer1);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
Teacher teacher0 = new Teacher();
Integer integer0 = new Integer(32610);
teacher0.setMoviesnum(integer0);
Integer integer1 = teacher0.getMoviesnum();
assertEquals(32610, (int)integer1);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
Teacher teacher0 = new Teacher();
Integer integer0 = new Integer((-1));
teacher0.setMoviesnum(integer0);
Integer integer1 = teacher0.getMoviesnum();
assertEquals((-1), (int)integer1);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
Teacher teacher0 = new Teacher();
Long long0 = new Long(0L);
teacher0.setLikesnum(long0);
Long long1 = teacher0.getLikesnum();
assertEquals(0L, (long)long1);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
Teacher teacher0 = new Teacher();
Long long0 = new Long(16944L);
teacher0.setLikesnum(long0);
Long long1 = teacher0.getLikesnum();
assertEquals(16944L, (long)long1);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
Teacher teacher0 = new Teacher();
Long long0 = new Long((-1L));
teacher0.setLikesnum(long0);
Long long1 = teacher0.getLikesnum();
assertEquals((-1L), (long)long1);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
Teacher teacher0 = new Teacher();
teacher0.setImg("");
String string0 = teacher0.getImg();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
Teacher teacher0 = new Teacher();
Long long0 = new Long(0L);
teacher0.setId(long0);
Long long1 = teacher0.getId();
assertEquals(0L, (long)long1);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
Teacher teacher0 = new Teacher();
Long long0 = new Long(1082L);
teacher0.setId(long0);
Long long1 = teacher0.getId();
assertEquals(1082L, (long)long1);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
Teacher teacher0 = new Teacher();
Long long0 = new Long((-1L));
teacher0.setId(long0);
Long long1 = teacher0.getId();
assertEquals((-1L), (long)long1);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
Teacher teacher0 = new Teacher();
teacher0.setImg((String) null);
assertNull(teacher0.getId());
}
@Test(timeout = 4000)
public void test16() throws Throwable {
Teacher teacher0 = new Teacher();
teacher0.setImg("Y9W3kB]%R^`?1RH");
String string0 = teacher0.getImg();
assertEquals("Y9W3kB]%R^`?1RH", string0);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
Teacher teacher0 = new Teacher();
teacher0.setName((String) null);
assertNull(teacher0.getName());
}
@Test(timeout = 4000)
public void test18() throws Throwable {
Teacher teacher0 = new Teacher();
teacher0.setName("");
String string0 = teacher0.getName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test19() throws Throwable {
Teacher teacher0 = new Teacher();
String string0 = teacher0.getImg();
assertNull(string0);
}
@Test(timeout = 4000)
public void test20() throws Throwable {
Teacher teacher0 = new Teacher();
String string0 = teacher0.getName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test21() throws Throwable {
Teacher teacher0 = new Teacher();
Long long0 = teacher0.getLikesnum();
teacher0.setLikesnum(long0);
assertNull(teacher0.getMoviesnum());
}
@Test(timeout = 4000)
public void test22() throws Throwable {
Teacher teacher0 = new Teacher();
Long long0 = teacher0.getViewsnum();
assertNull(long0);
}
@Test(timeout = 4000)
public void test23() throws Throwable {
Teacher teacher0 = new Teacher();
Integer integer0 = teacher0.getMoviesnum();
teacher0.setMoviesnum(integer0);
assertNull(teacher0.getName());
}
@Test(timeout = 4000)
public void test24() throws Throwable {
Teacher teacher0 = new Teacher();
Long long0 = teacher0.getId();
assertNull(long0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 16:22: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 Teacher_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 = "Teacher";
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/tmpepb6yord");
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(Teacher_ESTest_scaffolding.class.getClassLoader() ,
"Teacher"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Teacher_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Teacher"
);
}
}
| 1,438 |
Scanner | import java.io.BufferedReader;
import java.io.InputStream;
import java.io.InputStreamReader;
public class Scanner {
public int line;
public int col;
BufferedReader is;
boolean havePeeked;
char peekedChar;
boolean fakeNewline = false;
boolean bogusInput = false;
public Scanner(InputStream is) {
try {
this.is = new BufferedReader(new InputStreamReader(is, "UTF-8"), 4096);
} catch (Exception e) {
System.err.println("Scanner Error: " + e);
}
line = 1;
col = 1;
havePeeked = false;
}
public boolean getBogusFlag() {
return bogusInput;
}
public char peek() {
if (havePeeked) {
return peekedChar;
}
havePeeked = true;
try {
peekedChar = (char) is.read();
if (peekedChar == (char) 0) peekedChar = (char) -1;
} catch (Exception e) {
bogusInput = true;
peekedChar = (char) -1;
}
return peekedChar;
}
// get a char, or -1 if the end of the stream is hit.
public char getChar() {
char ch = peek();
havePeeked = false;
if (ch == '\n') {
if (fakeNewline) {
fakeNewline = false;
} else {
line++;
col = 0;
}
}
if (ch == '\t') col += 4; // stupid assumption.
else col++;
return ch;
}
public void forceNextChar(char ch) {
if (ch == '\n') fakeNewline = true;
havePeeked = true;
peekedChar = ch;
}
public String locationString() {
return ("line " + line + ", column " + col + ".");
}
// get a char that isn't an end of file.
public char getRealChar() throws Exception {
char ch = getChar();
if (ch == -1) {
throw new Exception("Unexpected end of file!");
}
return ch;
}
}
| .version 52 0
.class public super Scanner
.super java/lang/Object
.field public line I
.field public col I
.field is Ljava/io/BufferedReader;
.field havePeeked Z
.field peekedChar C
.field fakeNewline Z
.field bogusInput Z
.method public <init> : (Ljava/io/InputStream;)V
.code stack 7 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iconst_0
L6: putfield Field Scanner fakeNewline Z
L9: aload_0
L10: iconst_0
L11: putfield Field Scanner bogusInput Z
.catch java/lang/Exception from L14 to L38 using L41
L14: aload_0
L15: new java/io/BufferedReader
L18: dup
L19: new java/io/InputStreamReader
L22: dup
L23: aload_1
L24: ldc 'UTF-8'
L26: invokespecial Method java/io/InputStreamReader <init> (Ljava/io/InputStream;Ljava/lang/String;)V
L29: sipush 4096
L32: invokespecial Method java/io/BufferedReader <init> (Ljava/io/Reader;I)V
L35: putfield Field Scanner is Ljava/io/BufferedReader;
L38: goto L67
.stack full
locals Object Scanner Object java/io/InputStream
stack Object java/lang/Exception
.end stack
L41: astore_2
L42: getstatic Field java/lang/System err Ljava/io/PrintStream;
L45: new java/lang/StringBuilder
L48: dup
L49: invokespecial Method java/lang/StringBuilder <init> ()V
L52: ldc 'Scanner Error: '
L54: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L57: aload_2
L58: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)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: aload_0
L68: iconst_1
L69: putfield Field Scanner line I
L72: aload_0
L73: iconst_1
L74: putfield Field Scanner col I
L77: aload_0
L78: iconst_0
L79: putfield Field Scanner havePeeked Z
L82: return
L83:
.linenumbertable
L0 21
L4 16
L9 18
L14 23
L38 26
L41 24
L42 25
L67 27
L72 28
L77 29
L82 30
.end linenumbertable
.end code
.end method
.method public getBogusFlag : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Scanner bogusInput Z
L4: ireturn
L5:
.linenumbertable
L0 33
.end linenumbertable
.end code
.end method
.method public peek : ()C
.code stack 2 locals 2
L0: aload_0
L1: getfield Field Scanner havePeeked Z
L4: ifeq L12
L7: aload_0
L8: getfield Field Scanner peekedChar C
L11: ireturn
.stack same
L12: aload_0
L13: iconst_1
L14: putfield Field Scanner havePeeked Z
.catch java/lang/Exception from L17 to L42 using L45
L17: aload_0
L18: aload_0
L19: getfield Field Scanner is Ljava/io/BufferedReader;
L22: invokevirtual Method java/io/BufferedReader read ()I
L25: i2c
L26: putfield Field Scanner peekedChar C
L29: aload_0
L30: getfield Field Scanner peekedChar C
L33: ifne L42
L36: aload_0
L37: ldc 65535
L39: putfield Field Scanner peekedChar C
.stack same
L42: goto L57
.stack stack_1 Object java/lang/Exception
L45: astore_1
L46: aload_0
L47: iconst_1
L48: putfield Field Scanner bogusInput Z
L51: aload_0
L52: ldc 65535
L54: putfield Field Scanner peekedChar C
.stack same
L57: aload_0
L58: getfield Field Scanner peekedChar C
L61: ireturn
L62:
.linenumbertable
L0 38
L7 39
L12 42
L17 44
L29 45
L42 49
L45 46
L46 47
L51 48
L57 51
.end linenumbertable
.end code
.end method
.method public getChar : ()C
.code stack 3 locals 2
L0: aload_0
L1: invokevirtual Method Scanner peek ()C
L4: istore_1
L5: aload_0
L6: iconst_0
L7: putfield Field Scanner havePeeked Z
L10: iload_1
L11: bipush 10
L13: if_icmpne L46
L16: aload_0
L17: getfield Field Scanner fakeNewline Z
L20: ifeq L31
L23: aload_0
L24: iconst_0
L25: putfield Field Scanner fakeNewline Z
L28: goto L46
.stack append Integer
L31: aload_0
L32: dup
L33: getfield Field Scanner line I
L36: iconst_1
L37: iadd
L38: putfield Field Scanner line I
L41: aload_0
L42: iconst_0
L43: putfield Field Scanner col I
.stack same
L46: iload_1
L47: bipush 9
L49: if_icmpne L65
L52: aload_0
L53: dup
L54: getfield Field Scanner col I
L57: iconst_4
L58: iadd
L59: putfield Field Scanner col I
L62: goto L75
.stack same
L65: aload_0
L66: dup
L67: getfield Field Scanner col I
L70: iconst_1
L71: iadd
L72: putfield Field Scanner col I
.stack same
L75: iload_1
L76: ireturn
L77:
.linenumbertable
L0 57
L5 58
L10 60
L16 61
L23 62
L31 64
L41 65
L46 68
L52 69
L65 71
L75 73
.end linenumbertable
.end code
.end method
.method public forceNextChar : (C)V
.code stack 2 locals 2
L0: iload_1
L1: bipush 10
L3: if_icmpne L11
L6: aload_0
L7: iconst_1
L8: putfield Field Scanner fakeNewline Z
.stack same
L11: aload_0
L12: iconst_1
L13: putfield Field Scanner havePeeked Z
L16: aload_0
L17: iload_1
L18: putfield Field Scanner peekedChar C
L21: return
L22:
.linenumbertable
L0 78
L11 79
L16 80
L21 81
.end linenumbertable
.end code
.end method
.method public locationString : ()Ljava/lang/String;
.code stack 2 locals 1
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: ldc 'line '
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field Scanner line I
L16: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L19: ldc ', column '
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: aload_0
L25: getfield Field Scanner col I
L28: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L31: ldc '.'
L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L36: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L39: areturn
L40:
.linenumbertable
L0 85
.end linenumbertable
.end code
.end method
.method public getRealChar : ()C
.code stack 3 locals 2
L0: aload_0
L1: invokevirtual Method Scanner getChar ()C
L4: istore_1
L5: iload_1
L6: iconst_m1
L7: if_icmpne L20
L10: new java/lang/Exception
L13: dup
L14: ldc 'Unexpected end of file!'
L16: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V
L19: athrow
.stack append Integer
L20: iload_1
L21: ireturn
L22:
.linenumbertable
L0 91
L5 92
L10 93
L20 95
.end linenumbertable
.end code
.exceptions java/lang/Exception
.end method
.sourcefile 'Scanner.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 23:21:20 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.io.ByteArrayInputStream;
import java.io.InputStream;
import java.io.PipedInputStream;
import java.io.PushbackInputStream;
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 Scanner_ESTest extends Scanner_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
PipedInputStream pipedInputStream0 = new PipedInputStream();
Scanner scanner0 = new Scanner(pipedInputStream0);
scanner0.getRealChar();
scanner0.getRealChar();
scanner0.getBogusFlag();
scanner0.forceNextChar('K');
assertEquals(3, scanner0.col);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
byte[] byteArray0 = new byte[4];
byteArray0[2] = (byte)1;
ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0);
PushbackInputStream pushbackInputStream0 = new PushbackInputStream(byteArrayInputStream0, (byte)1);
Scanner scanner0 = new Scanner(pushbackInputStream0);
scanner0.getRealChar();
scanner0.getChar();
char char0 = scanner0.getRealChar();
assertEquals(0, byteArrayInputStream0.available());
assertEquals('\u0001', char0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
byte[] byteArray0 = new byte[3];
byteArray0[1] = (byte)89;
ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0);
Scanner scanner0 = new Scanner(byteArrayInputStream0);
scanner0.getRealChar();
char char0 = scanner0.peek();
assertEquals(0, byteArrayInputStream0.available());
assertEquals('Y', char0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
PipedInputStream pipedInputStream0 = new PipedInputStream();
Scanner scanner0 = new Scanner(pipedInputStream0);
scanner0.forceNextChar('K');
char char0 = scanner0.getRealChar();
assertEquals(2, scanner0.col);
assertEquals('K', char0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
byte[] byteArray0 = new byte[4];
byteArray0[0] = (byte)51;
ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0);
PushbackInputStream pushbackInputStream0 = new PushbackInputStream(byteArrayInputStream0, (byte)1);
Scanner scanner0 = new Scanner(pushbackInputStream0);
char char0 = scanner0.getChar();
assertEquals(0, byteArrayInputStream0.available());
assertEquals('3', char0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
Scanner scanner0 = new Scanner((InputStream) null);
scanner0.forceNextChar('O');
char char0 = scanner0.getChar();
assertEquals(2, scanner0.col);
assertEquals('O', char0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
byte[] byteArray0 = new byte[4];
byteArray0[0] = (byte)51;
ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0);
PushbackInputStream pushbackInputStream0 = new PushbackInputStream(byteArrayInputStream0, (byte)1);
Scanner scanner0 = new Scanner(pushbackInputStream0);
char char0 = scanner0.peek();
assertEquals(0, byteArrayInputStream0.available());
assertEquals('3', char0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
byte[] byteArray0 = new byte[4];
ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0);
PushbackInputStream pushbackInputStream0 = new PushbackInputStream(byteArrayInputStream0, (byte)1);
Scanner scanner0 = new Scanner(pushbackInputStream0);
scanner0.peek();
char char0 = scanner0.peek();
assertEquals(0, byteArrayInputStream0.available());
assertEquals('\uFFFF', char0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
byte[] byteArray0 = new byte[4];
byteArray0[0] = (byte)51;
ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0);
PushbackInputStream pushbackInputStream0 = new PushbackInputStream(byteArrayInputStream0, (byte)1);
Scanner scanner0 = new Scanner(pushbackInputStream0);
char char0 = scanner0.getRealChar();
assertEquals(2, scanner0.col);
assertEquals('3', char0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
byte[] byteArray0 = new byte[4];
ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0);
PushbackInputStream pushbackInputStream0 = new PushbackInputStream(byteArrayInputStream0, (byte)1);
Scanner scanner0 = new Scanner(pushbackInputStream0);
String string0 = scanner0.locationString();
assertFalse(scanner0.getBogusFlag());
assertEquals("line 1, column 1.", string0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
byte[] byteArray0 = new byte[4];
ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0);
PushbackInputStream pushbackInputStream0 = new PushbackInputStream(byteArrayInputStream0, (byte)1);
Scanner scanner0 = new Scanner(pushbackInputStream0);
boolean boolean0 = scanner0.getBogusFlag();
assertFalse(boolean0);
assertEquals(1, scanner0.col);
assertEquals(1, scanner0.line);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 23:21: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 Scanner_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 = "Scanner";
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/tmp6_1l_qeo");
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(Scanner_ESTest_scaffolding.class.getClassLoader() ,
"Scanner"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Scanner_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Scanner"
);
}
}
| 1,439 |
Credentials | /** Created by goofyahead on 11/28/14. */
public class Credentials {
public static final String SERVER_URL = "http://172.20.10.3:3111";
}
| .version 52 0
.class public super Credentials
.super java/lang/Object
.field public static final SERVER_URL Ljava/lang/String; = 'http://172.20.10.3:3111'
.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 'Credentials.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 22:21: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 Credentials_ESTest extends Credentials_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Credentials credentials0 = new Credentials();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 22:21:39 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Credentials_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 = "Credentials";
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/tmphkzlq0pw");
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(Credentials_ESTest_scaffolding.class.getClassLoader() ,
"Credentials"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Credentials_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Credentials"
);
}
}
| 1,440 |
ListCommand | /** Created by savion on 2015/4/28. */
public class ListCommand {
private String part;
private String operator;
private int page = 1;
private int pageSize = 20;
public String getPart() {
return part;
}
public void setPart(String part) {
this.part = part;
}
public String getOperator() {
return operator;
}
public void setOperator(String operator) {
this.operator = operator;
}
public int getPage() {
return page;
}
public void setPage(int page) {
this.page = page;
}
public int getPageSize() {
return pageSize;
}
public void setPageSize(int pageSize) {
this.pageSize = pageSize;
}
}
| .version 52 0
.class public super ListCommand
.super java/lang/Object
.field private part Ljava/lang/String;
.field private operator Ljava/lang/String;
.field private page I
.field private pageSize I
.method public <init> : ()V
.code stack 2 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iconst_1
L6: putfield Field ListCommand page I
L9: aload_0
L10: bipush 20
L12: putfield Field ListCommand pageSize I
L15: return
L16:
.linenumbertable
L0 6
L4 9
L9 10
.end linenumbertable
.end code
.end method
.method public getPart : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ListCommand part Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 13
.end linenumbertable
.end code
.end method
.method public setPart : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field ListCommand part Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 17
L5 18
.end linenumbertable
.end code
.end method
.method public getOperator : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ListCommand operator Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 21
.end linenumbertable
.end code
.end method
.method public setOperator : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field ListCommand operator Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 25
L5 26
.end linenumbertable
.end code
.end method
.method public getPage : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ListCommand page I
L4: ireturn
L5:
.linenumbertable
L0 29
.end linenumbertable
.end code
.end method
.method public setPage : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field ListCommand page I
L5: return
L6:
.linenumbertable
L0 33
L5 34
.end linenumbertable
.end code
.end method
.method public getPageSize : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ListCommand pageSize I
L4: ireturn
L5:
.linenumbertable
L0 37
.end linenumbertable
.end code
.end method
.method public setPageSize : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field ListCommand pageSize I
L5: return
L6:
.linenumbertable
L0 41
L5 42
.end linenumbertable
.end code
.end method
.sourcefile 'ListCommand.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 15:07: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 ListCommand_ESTest extends ListCommand_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
ListCommand listCommand0 = new ListCommand();
listCommand0.setPart("ListCommand");
listCommand0.getPart();
assertEquals(1, listCommand0.getPage());
assertEquals(20, listCommand0.getPageSize());
}
@Test(timeout = 4000)
public void test01() throws Throwable {
ListCommand listCommand0 = new ListCommand();
assertEquals(20, listCommand0.getPageSize());
listCommand0.setPageSize(0);
int int0 = listCommand0.getPageSize();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
ListCommand listCommand0 = new ListCommand();
assertEquals(1, listCommand0.getPage());
listCommand0.setPage(0);
int int0 = listCommand0.getPage();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
ListCommand listCommand0 = new ListCommand();
listCommand0.setPage((-43850));
int int0 = listCommand0.getPage();
assertEquals((-43850), int0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
ListCommand listCommand0 = new ListCommand();
listCommand0.setOperator(".-K%3");
listCommand0.getOperator();
assertEquals(1, listCommand0.getPage());
assertEquals(20, listCommand0.getPageSize());
}
@Test(timeout = 4000)
public void test05() throws Throwable {
ListCommand listCommand0 = new ListCommand();
listCommand0.setPageSize((-2835));
int int0 = listCommand0.getPageSize();
assertEquals((-2835), int0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
ListCommand listCommand0 = new ListCommand();
int int0 = listCommand0.getPage();
assertEquals(1, int0);
assertEquals(20, listCommand0.getPageSize());
}
@Test(timeout = 4000)
public void test07() throws Throwable {
ListCommand listCommand0 = new ListCommand();
listCommand0.getOperator();
assertEquals(1, listCommand0.getPage());
assertEquals(20, listCommand0.getPageSize());
}
@Test(timeout = 4000)
public void test08() throws Throwable {
ListCommand listCommand0 = new ListCommand();
listCommand0.setPart("");
listCommand0.getPart();
assertEquals(20, listCommand0.getPageSize());
assertEquals(1, listCommand0.getPage());
}
@Test(timeout = 4000)
public void test09() throws Throwable {
ListCommand listCommand0 = new ListCommand();
listCommand0.getPart();
assertEquals(1, listCommand0.getPage());
assertEquals(20, listCommand0.getPageSize());
}
@Test(timeout = 4000)
public void test10() throws Throwable {
ListCommand listCommand0 = new ListCommand();
listCommand0.setOperator("");
listCommand0.getOperator();
assertEquals(20, listCommand0.getPageSize());
assertEquals(1, listCommand0.getPage());
}
@Test(timeout = 4000)
public void test11() throws Throwable {
ListCommand listCommand0 = new ListCommand();
int int0 = listCommand0.getPageSize();
assertEquals(1, listCommand0.getPage());
assertEquals(20, int0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 15:07: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 ListCommand_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 = "ListCommand";
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/tmpenecx1wv");
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(ListCommand_ESTest_scaffolding.class.getClassLoader() ,
"ListCommand"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ListCommand_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ListCommand"
);
}
}
| 1,441 |
IOUtils | /**
* Licensed to the Sakai Foundation (SF) under one or more contributor license agreements. See the
* NOTICE file distributed with this work for additional information regarding copyright ownership.
* The SF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may
* not use this file except in compliance with the License. You may obtain a copy of the License at
*
* <p>http://www.apache.org/licenses/LICENSE-2.0
*
* <p>Unless required by applicable law or agreed to in writing, software distributed under the
* License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either
* express or implied. See the License for the specific language governing permissions and
* limitations under the License.
*/
import java.io.IOException;
import java.io.InputStream;
import java.io.OutputStream;
import java.io.UnsupportedEncodingException;
/** */
public class IOUtils {
/**
* Read an input stream fully, and then close the input stream reliably.
*
* @param inputStream the input stream from which to read
* @param encoding the encoding to use when converting from byte to char
* @return a string containing the contents of the input stream with the requested conversion. If
* the input stream was null, a null string is returned.
* @throws IOException if there was an IOException
* @throws UnsupportedEncodingException if the encoding requested is not supported.
*/
public static String readFully(InputStream inputStream, String encoding)
throws UnsupportedEncodingException, IOException {
if (inputStream != null) {
StringBuilder sb = new StringBuilder();
try {
byte[] b = new byte[4096];
for (int i = inputStream.read(b); i > 0; i = inputStream.read(b)) {
sb.append(new String(b, 0, i, encoding));
}
} finally {
try {
inputStream.close();
} catch (Exception ex) {
}
}
return sb.toString();
}
return null;
}
/**
* @param in
* @param outputStream
* @throws IOException
*/
public static void stream(InputStream from, OutputStream to) throws IOException {
byte[] b = new byte[4096];
for (int i = from.read(b, 0, 4096); i >= 0; i = from.read(b, 0, 4096)) {
if (i == 0) {
Thread.yield();
} else {
to.write(b, 0, i);
}
}
}
}
| .version 52 0
.class public super IOUtils
.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 30
.end linenumbertable
.end code
.end method
.method public static readFully : (Ljava/io/InputStream;Ljava/lang/String;)Ljava/lang/String;
.code stack 7 locals 7
L0: aload_0
L1: ifnull L87
L4: new java/lang/StringBuilder
L7: dup
L8: invokespecial Method java/lang/StringBuilder <init> ()V
L11: astore_2
L12: sipush 4096
L15: newarray byte
L17: astore_3
L18: aload_0
L19: aload_3
L20: invokevirtual Method java/io/InputStream read ([B)I
L23: istore 4
.stack append Object java/lang/StringBuilder Object [B Integer
L25: iload 4
L27: ifle L57
L30: aload_2
L31: new java/lang/String
L34: dup
L35: aload_3
L36: iconst_0
L37: iload 4
L39: aload_1
L40: invokespecial Method java/lang/String <init> ([BIILjava/lang/String;)V
L43: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L46: pop
L47: aload_0
L48: aload_3
L49: invokevirtual Method java/io/InputStream read ([B)I
L52: istore 4
L54: goto L25
.catch java/lang/Exception from L57 to L61 using L64
.catch [0] from L12 to L57 using L68
.stack chop 2
L57: aload_0
L58: invokevirtual Method java/io/InputStream close ()V
L61: goto L82
.stack stack_1 Object java/lang/Exception
L64: astore_3
L65: goto L82
.stack stack_1 Object java/lang/Throwable
L68: astore 5
.catch java/lang/Exception from L70 to L74 using L77
.catch [0] from L68 to L70 using L68
L70: aload_0
L71: invokevirtual Method java/io/InputStream close ()V
L74: goto L79
.stack full
locals Object java/io/InputStream Object java/lang/String Object java/lang/StringBuilder Top Top Object java/lang/Throwable
stack Object java/lang/Exception
.end stack
L77: astore 6
.stack same
L79: aload 5
L81: athrow
.stack chop 3
L82: aload_2
L83: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L86: areturn
.stack chop 1
L87: aconst_null
L88: areturn
L89:
.linenumbertable
L0 48
L4 49
L12 51
L18 52
L30 53
L47 52
L57 57
L61 59
L64 58
L65 60
L68 56
L70 57
L74 59
L77 58
L79 60
L82 61
L87 63
.end linenumbertable
.end code
.exceptions java/io/UnsupportedEncodingException java/io/IOException
.end method
.method public static stream : (Ljava/io/InputStream;Ljava/io/OutputStream;)V
.code stack 4 locals 4
L0: sipush 4096
L3: newarray byte
L5: astore_2
L6: aload_0
L7: aload_2
L8: iconst_0
L9: sipush 4096
L12: invokevirtual Method java/io/InputStream read ([BII)I
L15: istore_3
.stack append Object [B Integer
L16: iload_3
L17: iflt L50
L20: iload_3
L21: ifne L30
L24: invokestatic Method java/lang/Thread yield ()V
L27: goto L37
.stack same
L30: aload_1
L31: aload_2
L32: iconst_0
L33: iload_3
L34: invokevirtual Method java/io/OutputStream write ([BII)V
.stack same
L37: aload_0
L38: aload_2
L39: iconst_0
L40: sipush 4096
L43: invokevirtual Method java/io/InputStream read ([BII)I
L46: istore_3
L47: goto L16
.stack chop 1
L50: return
L51:
.linenumbertable
L0 72
L6 73
L20 74
L24 75
L30 77
L37 73
L50 80
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.sourcefile 'IOUtils.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 06:24:36 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.io.ByteArrayInputStream;
import java.io.IOException;
import java.io.InputStream;
import java.io.PipedInputStream;
import java.io.PipedOutputStream;
import java.io.SequenceInputStream;
import java.io.UnsupportedEncodingException;
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 IOUtils_ESTest extends IOUtils_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
PipedInputStream pipedInputStream0 = new PipedInputStream();
try {
IOUtils.readFully(pipedInputStream0, "GMjW}A[/C2");
fail("Expecting exception: IOException");
} catch(IOException e) {
//
// Pipe not connected
//
verifyException("java.io.PipedInputStream", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
byte[] byteArray0 = new byte[4];
ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0);
PipedInputStream pipedInputStream0 = new PipedInputStream();
PipedOutputStream pipedOutputStream0 = new PipedOutputStream(pipedInputStream0);
IOUtils.stream(byteArrayInputStream0, pipedOutputStream0);
IOUtils iOUtils0 = new IOUtils();
}
@Test(timeout = 4000)
public void test2() throws Throwable {
byte[] byteArray0 = new byte[8];
ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0);
SequenceInputStream sequenceInputStream0 = new SequenceInputStream(byteArrayInputStream0, byteArrayInputStream0);
try {
IOUtils.readFully(sequenceInputStream0, "H!![#L'H1fWq!A=");
fail("Expecting exception: UnsupportedEncodingException");
} catch(UnsupportedEncodingException e) {
}
}
@Test(timeout = 4000)
public void test3() throws Throwable {
byte[] byteArray0 = new byte[6];
ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0, (byte)0, (byte) (-1));
String string0 = IOUtils.readFully(byteArrayInputStream0, "JmXy6p`NX*,LLhH7Z");
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
String string0 = IOUtils.readFully((InputStream) null, "");
assertNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 06:24: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 IOUtils_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 = "IOUtils";
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/tmpveeaso36");
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(IOUtils_ESTest_scaffolding.class.getClassLoader() ,
"IOUtils"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(IOUtils_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"IOUtils"
);
}
}
| 1,442 |
FakeClass | /*
* Copyright (c) 2001-2004 Ant-Contrib project. 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.
*/
/*
* Created on Jan 13, 2005
*/
/**
* @author dhiller
*/
public class FakeClass {}
| .version 52 0
.class public super FakeClass
.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
.sourcefile 'FakeClass.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 03:01:22 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class FakeClass_ESTest extends FakeClass_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
FakeClass fakeClass0 = new FakeClass();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 03:01:22 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class FakeClass_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 = "FakeClass";
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/tmphlmnfb0v");
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(FakeClass_ESTest_scaffolding.class.getClassLoader() ,
"FakeClass"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(FakeClass_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"FakeClass"
);
}
}
| 1,443 |
IEAOrderedPeople |
public class IEAOrderedPeople {
private final String teamUUID;
private final String displayName;
private final String eventUUID;
public IEAOrderedPeople(String teamUUID, String displayName, String eventUUID) {
this.teamUUID = teamUUID;
this.displayName = displayName;
this.eventUUID = eventUUID;
}
public String getTeamUUID() {
return teamUUID;
}
public String getDisplayName() {
return displayName;
}
public String getEventUUID() {
return eventUUID;
}
}
| .version 52 0
.class public super IEAOrderedPeople
.super java/lang/Object
.field private final teamUUID Ljava/lang/String;
.field private final displayName Ljava/lang/String;
.field private final eventUUID 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 IEAOrderedPeople teamUUID Ljava/lang/String;
L9: aload_0
L10: aload_2
L11: putfield Field IEAOrderedPeople displayName Ljava/lang/String;
L14: aload_0
L15: aload_3
L16: putfield Field IEAOrderedPeople eventUUID Ljava/lang/String;
L19: return
L20:
.linenumbertable
L0 11
L4 12
L9 13
L14 14
L19 15
.end linenumbertable
.end code
.end method
.method public getTeamUUID : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field IEAOrderedPeople teamUUID Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 18
.end linenumbertable
.end code
.end method
.method public getDisplayName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field IEAOrderedPeople displayName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 22
.end linenumbertable
.end code
.end method
.method public getEventUUID : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field IEAOrderedPeople eventUUID Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 26
.end linenumbertable
.end code
.end method
.sourcefile 'IEAOrderedPeople.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 19:47: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 IEAOrderedPeople_ESTest extends IEAOrderedPeople_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
IEAOrderedPeople iEAOrderedPeople0 = new IEAOrderedPeople((String) null, (String) null, (String) null);
String string0 = iEAOrderedPeople0.getTeamUUID();
assertNull(string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
IEAOrderedPeople iEAOrderedPeople0 = new IEAOrderedPeople(">]", ">]", ">]");
String string0 = iEAOrderedPeople0.getTeamUUID();
assertEquals(">]", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
IEAOrderedPeople iEAOrderedPeople0 = new IEAOrderedPeople((String) null, (String) null, (String) null);
String string0 = iEAOrderedPeople0.getEventUUID();
assertNull(string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
IEAOrderedPeople iEAOrderedPeople0 = new IEAOrderedPeople(">]", ">]", ">]");
String string0 = iEAOrderedPeople0.getEventUUID();
assertEquals(">]", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
IEAOrderedPeople iEAOrderedPeople0 = new IEAOrderedPeople((String) null, (String) null, (String) null);
String string0 = iEAOrderedPeople0.getDisplayName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
IEAOrderedPeople iEAOrderedPeople0 = new IEAOrderedPeople(">]", ">]", ">]");
String string0 = iEAOrderedPeople0.getDisplayName();
assertEquals(">]", string0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
IEAOrderedPeople iEAOrderedPeople0 = new IEAOrderedPeople("", "", "");
String string0 = iEAOrderedPeople0.getTeamUUID();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
IEAOrderedPeople iEAOrderedPeople0 = new IEAOrderedPeople("", "", "");
String string0 = iEAOrderedPeople0.getDisplayName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test8() throws Throwable {
IEAOrderedPeople iEAOrderedPeople0 = new IEAOrderedPeople("", "", "");
String string0 = iEAOrderedPeople0.getEventUUID();
assertEquals("", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 19:47: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 IEAOrderedPeople_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 = "IEAOrderedPeople";
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/tmp53ocu19r");
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(IEAOrderedPeople_ESTest_scaffolding.class.getClassLoader() ,
"IEAOrderedPeople"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(IEAOrderedPeople_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"IEAOrderedPeople"
);
}
}
| 1,444 |
SensorLibSettings | /** Created by Kalman on 7/15/2015. */
public class SensorLibSettings {
public int maxLostTrackFrames = 20;
public int minFramesForDetection = 20;
public SensorLibSettings() {}
public SensorLibSettings(int minFramesForDetection, int maxLostTrackFrames) {
this.minFramesForDetection = minFramesForDetection;
this.maxLostTrackFrames = maxLostTrackFrames;
}
public void setMaxLostTrackFrames(int maxLostTrackFrames) {
this.maxLostTrackFrames = maxLostTrackFrames;
}
public void setMinFramesForDetection(int minFramesForDetection) {
this.minFramesForDetection = minFramesForDetection;
}
}
| .version 52 0
.class public super SensorLibSettings
.super java/lang/Object
.field public maxLostTrackFrames I
.field public minFramesForDetection I
.method public <init> : ()V
.code stack 2 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: bipush 20
L7: putfield Field SensorLibSettings maxLostTrackFrames I
L10: aload_0
L11: bipush 20
L13: putfield Field SensorLibSettings minFramesForDetection I
L16: return
L17:
.linenumbertable
L0 12
L4 8
L10 10
L16 12
.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: bipush 20
L7: putfield Field SensorLibSettings maxLostTrackFrames I
L10: aload_0
L11: bipush 20
L13: putfield Field SensorLibSettings minFramesForDetection I
L16: aload_0
L17: iload_1
L18: putfield Field SensorLibSettings minFramesForDetection I
L21: aload_0
L22: iload_2
L23: putfield Field SensorLibSettings maxLostTrackFrames I
L26: return
L27:
.linenumbertable
L0 14
L4 8
L10 10
L16 15
L21 16
L26 17
.end linenumbertable
.end code
.end method
.method public setMaxLostTrackFrames : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field SensorLibSettings maxLostTrackFrames I
L5: return
L6:
.linenumbertable
L0 20
L5 21
.end linenumbertable
.end code
.end method
.method public setMinFramesForDetection : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field SensorLibSettings minFramesForDetection I
L5: return
L6:
.linenumbertable
L0 24
L5 25
.end linenumbertable
.end code
.end method
.sourcefile 'SensorLibSettings.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 07:32: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 SensorLibSettings_ESTest extends SensorLibSettings_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
SensorLibSettings sensorLibSettings0 = new SensorLibSettings();
assertEquals(20, sensorLibSettings0.minFramesForDetection);
assertEquals(20, sensorLibSettings0.maxLostTrackFrames);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
SensorLibSettings sensorLibSettings0 = new SensorLibSettings(1, 1);
sensorLibSettings0.setMinFramesForDetection(1);
assertEquals(1, sensorLibSettings0.minFramesForDetection);
assertEquals(1, sensorLibSettings0.maxLostTrackFrames);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
SensorLibSettings sensorLibSettings0 = new SensorLibSettings(1, 1);
sensorLibSettings0.setMaxLostTrackFrames((-20554));
assertEquals((-20554), sensorLibSettings0.maxLostTrackFrames);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 07:32: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 SensorLibSettings_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 = "SensorLibSettings";
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/tmp3_wsmzei");
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(SensorLibSettings_ESTest_scaffolding.class.getClassLoader() ,
"SensorLibSettings"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SensorLibSettings_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"SensorLibSettings"
);
}
}
| 1,445 |
RedundantWriteAfterReadElimination | public final class RedundantWriteAfterReadElimination {
static int x = 0;
static final Object m1;
static final Object m2;
static {
m1 = new Object();
m2 = new Object();
}
public static final void thread1() {
synchronized (m1) {
x = 2;
}
}
public static final void thread2() {
synchronized (m2) {
x = 1;
}
}
public static final void thread3() {
final int r1;
final int r2;
synchronized (m1) {
synchronized (m2) {
r1 = x;
x = r1;
r2 = x;
}
}
assert r1 != r2;
}
public static final void thread3T() {
final int r1;
final int r2;
synchronized (m1) {
synchronized (m2) {
r1 = x;
r2 = x;
}
}
assert r1 != r2;
}
public RedundantWriteAfterReadElimination() {
super();
}
}
| .version 52 0
.class public final super RedundantWriteAfterReadElimination
.super java/lang/Object
.field static x I
.field static final m1 Ljava/lang/Object;
.field static final m2 Ljava/lang/Object;
.field static final synthetic $assertionsDisabled Z
.method public static final thread1 : ()V
.code stack 2 locals 2
L0: getstatic Field RedundantWriteAfterReadElimination m1 Ljava/lang/Object;
L3: dup
L4: astore_0
L5: monitorenter
.catch [0] from L6 to L12 using L15
L6: iconst_2
L7: putstatic Field RedundantWriteAfterReadElimination x I
L10: aload_0
L11: monitorexit
L12: goto L20
.catch [0] from L15 to L18 using L15
.stack full
locals Object java/lang/Object
stack Object java/lang/Throwable
.end stack
L15: astore_1
L16: aload_0
L17: monitorexit
L18: aload_1
L19: athrow
.stack chop 1
L20: return
L21:
.linenumbertable
L0 13
.end linenumbertable
.end code
.end method
.method public static final thread2 : ()V
.code stack 2 locals 2
L0: getstatic Field RedundantWriteAfterReadElimination m2 Ljava/lang/Object;
L3: dup
L4: astore_0
L5: monitorenter
.catch [0] from L6 to L12 using L15
L6: iconst_1
L7: putstatic Field RedundantWriteAfterReadElimination x I
L10: aload_0
L11: monitorexit
L12: goto L20
.catch [0] from L15 to L18 using L15
.stack full
locals Object java/lang/Object
stack Object java/lang/Throwable
.end stack
L15: astore_1
L16: aload_0
L17: monitorexit
L18: aload_1
L19: athrow
.stack chop 1
L20: return
L21:
.linenumbertable
L0 15
.end linenumbertable
.end code
.end method
.method public static final thread3 : ()V
.code stack 2 locals 6
L0: getstatic Field RedundantWriteAfterReadElimination m1 Ljava/lang/Object;
L3: dup
L4: astore_2
L5: monitorenter
L6: getstatic Field RedundantWriteAfterReadElimination m2 Ljava/lang/Object;
L9: dup
L10: astore_3
L11: monitorenter
.catch [0] from L12 to L26 using L29
L12: getstatic Field RedundantWriteAfterReadElimination x I
L15: istore_0
L16: iload_0
L17: putstatic Field RedundantWriteAfterReadElimination x I
L20: getstatic Field RedundantWriteAfterReadElimination x I
L23: istore_1
L24: aload_3
L25: monitorexit
L26: goto L36
.catch [0] from L29 to L33 using L29
.catch [0] from L6 to L38 using L41
.stack full
locals Top Top Object java/lang/Object Object java/lang/Object
stack Object java/lang/Throwable
.end stack
L29: astore 4
L31: aload_3
L32: monitorexit
L33: aload 4
L35: athrow
.stack full
locals Integer Integer Object java/lang/Object
stack
.end stack
L36: aload_2
L37: monitorexit
L38: goto L48
.catch [0] from L41 to L45 using L41
.stack full
locals Top Top Object java/lang/Object
stack Object java/lang/Throwable
.end stack
L41: astore 5
L43: aload_2
L44: monitorexit
L45: aload 5
L47: athrow
.stack full
locals Integer Integer
stack
.end stack
L48: getstatic Field RedundantWriteAfterReadElimination $assertionsDisabled Z
L51: ifne L67
L54: iload_0
L55: iload_1
L56: if_icmpne L67
L59: new java/lang/AssertionError
L62: dup
L63: invokespecial Method java/lang/AssertionError <init> ()V
L66: athrow
.stack same
L67: return
L68:
.linenumbertable
L0 20
L6 21
L12 22
L16 23
L20 24
L24 25
L36 26
L48 27
L67 28
.end linenumbertable
.end code
.end method
.method public static final thread3T : ()V
.code stack 2 locals 6
L0: getstatic Field RedundantWriteAfterReadElimination m1 Ljava/lang/Object;
L3: dup
L4: astore_2
L5: monitorenter
L6: getstatic Field RedundantWriteAfterReadElimination m2 Ljava/lang/Object;
L9: dup
L10: astore_3
L11: monitorenter
.catch [0] from L12 to L22 using L25
L12: getstatic Field RedundantWriteAfterReadElimination x I
L15: istore_0
L16: getstatic Field RedundantWriteAfterReadElimination x I
L19: istore_1
L20: aload_3
L21: monitorexit
L22: goto L32
.catch [0] from L25 to L29 using L25
.catch [0] from L6 to L34 using L37
.stack full
locals Top Top Object java/lang/Object Object java/lang/Object
stack Object java/lang/Throwable
.end stack
L25: astore 4
L27: aload_3
L28: monitorexit
L29: aload 4
L31: athrow
.stack full
locals Integer Integer Object java/lang/Object
stack
.end stack
L32: aload_2
L33: monitorexit
L34: goto L44
.catch [0] from L37 to L41 using L37
.stack full
locals Top Top Object java/lang/Object
stack Object java/lang/Throwable
.end stack
L37: astore 5
L39: aload_2
L40: monitorexit
L41: aload 5
L43: athrow
.stack full
locals Integer Integer
stack
.end stack
L44: getstatic Field RedundantWriteAfterReadElimination $assertionsDisabled Z
L47: ifne L63
L50: iload_0
L51: iload_1
L52: if_icmpne L63
L55: new java/lang/AssertionError
L58: dup
L59: invokespecial Method java/lang/AssertionError <init> ()V
L62: athrow
.stack same
L63: return
L64:
.linenumbertable
L0 33
L6 34
L12 35
L16 36
L20 37
L32 38
L44 39
L63 40
.end linenumbertable
.end code
.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 42
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 2 locals 0
L0: ldc Class RedundantWriteAfterReadElimination
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 RedundantWriteAfterReadElimination $assertionsDisabled Z
L16: iconst_0
L17: putstatic Field RedundantWriteAfterReadElimination x I
L20: new java/lang/Object
L23: dup
L24: invokespecial Method java/lang/Object <init> ()V
L27: putstatic Field RedundantWriteAfterReadElimination m1 Ljava/lang/Object;
L30: new java/lang/Object
L33: dup
L34: invokespecial Method java/lang/Object <init> ()V
L37: putstatic Field RedundantWriteAfterReadElimination m2 Ljava/lang/Object;
L40: return
L41:
.linenumbertable
L0 3
L16 4
L20 9
L30 10
L40 11
.end linenumbertable
.end code
.end method
.sourcefile 'RedundantWriteAfterReadElimination.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 08:10:10 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class RedundantWriteAfterReadElimination_ESTest extends RedundantWriteAfterReadElimination_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
// Undeclared exception!
try {
RedundantWriteAfterReadElimination.thread3T();
fail("Expecting exception: AssertionError");
} catch(AssertionError e) {
//
// no message in exception (getMessage() returned null)
//
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
// Undeclared exception!
try {
RedundantWriteAfterReadElimination.thread3();
fail("Expecting exception: AssertionError");
} catch(AssertionError e) {
//
// no message in exception (getMessage() returned null)
//
}
}
@Test(timeout = 4000)
public void test2() throws Throwable {
RedundantWriteAfterReadElimination.thread1();
// Undeclared exception!
try {
RedundantWriteAfterReadElimination.thread3();
fail("Expecting exception: AssertionError");
} catch(AssertionError e) {
//
// no message in exception (getMessage() returned null)
//
}
}
@Test(timeout = 4000)
public void test3() throws Throwable {
RedundantWriteAfterReadElimination.thread2();
}
@Test(timeout = 4000)
public void test4() throws Throwable {
RedundantWriteAfterReadElimination redundantWriteAfterReadElimination0 = new RedundantWriteAfterReadElimination();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 08:10: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 RedundantWriteAfterReadElimination_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 = "RedundantWriteAfterReadElimination";
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/tmpr4lp1rrd");
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(RedundantWriteAfterReadElimination_ESTest_scaffolding.class.getClassLoader() ,
"RedundantWriteAfterReadElimination"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RedundantWriteAfterReadElimination_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"RedundantWriteAfterReadElimination"
);
}
}
| 1,446 |
AddressTest | public class AddressTest {}
| .version 52 0
.class public super AddressTest
.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 'AddressTest.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 09:11: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 AddressTest_ESTest extends AddressTest_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
AddressTest addressTest0 = new AddressTest();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 09:11: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 AddressTest_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 = "AddressTest";
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/tmpa6_qierz");
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(AddressTest_ESTest_scaffolding.class.getClassLoader() ,
"AddressTest"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AddressTest_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"AddressTest"
);
}
}
| 1,447 |
Register | public class Register {
public String name;
public int value;
public Register(String name, int value) {
this.name = name;
this.value = value;
}
}
| .version 52 0
.class public super Register
.super java/lang/Object
.field public name Ljava/lang/String;
.field public value I
.method public <init> : (Ljava/lang/String;I)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 Register name Ljava/lang/String;
L9: aload_0
L10: iload_2
L11: putfield Field Register value I
L14: return
L15:
.linenumbertable
L0 7
L4 8
L9 9
L14 10
.end linenumbertable
.end code
.end method
.sourcefile 'Register.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 19:49: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 Register_ESTest extends Register_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Register register0 = new Register("!EntV,LSo6y5;pBiv", 45151);
assertEquals(45151, register0.value);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 19:49: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 Register_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 = "Register";
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/tmpd836cjvg");
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(Register_ESTest_scaffolding.class.getClassLoader() ,
"Register"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Register_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Register"
);
}
}
| 1,448 |
LoginUserUrlBuilder | import java.io.Serializable;
// http://online.yw56.com.cn/service/Common/LoginUser/302974/estd123456
public class LoginUserUrlBuilder implements Serializable {
private String serviceUrl = "http://online.yw56.com.cn/service";
private String apiCallUrl = "Common/LoginUser";
private String httpMethod = "get";
private String userId;
private String password;
public String getServiceUrl() {
return serviceUrl;
}
public void setServiceUrl(String serviceUrl) {
this.serviceUrl = serviceUrl;
}
public String getApiCallUrl() {
return apiCallUrl;
}
public void setApiCallUrl(String methodUrl) {
this.apiCallUrl = methodUrl;
}
public String getHttpMethod() {
return httpMethod;
}
public void setHttpMethod(String httpMethod) {
this.httpMethod = httpMethod;
}
public String getUserId() {
return userId;
}
public void setUserId(String userId) {
this.userId = userId;
}
public String getPassword() {
return password;
}
public void setPassword(String password) {
this.password = password;
}
public String build() {
StringBuffer urlBuffer = new StringBuffer();
urlBuffer.append(this.getServiceUrl());
urlBuffer.append("/");
urlBuffer.append(this.getApiCallUrl());
urlBuffer.append("/");
urlBuffer.append(this.getUserId());
urlBuffer.append("/");
urlBuffer.append(this.getPassword());
return urlBuffer.toString();
}
}
| .version 52 0
.class public super LoginUserUrlBuilder
.super java/lang/Object
.implements java/io/Serializable
.field private serviceUrl Ljava/lang/String;
.field private apiCallUrl Ljava/lang/String;
.field private httpMethod Ljava/lang/String;
.field private userId Ljava/lang/String;
.field private password 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 'http://online.yw56.com.cn/service'
L7: putfield Field LoginUserUrlBuilder serviceUrl Ljava/lang/String;
L10: aload_0
L11: ldc 'Common/LoginUser'
L13: putfield Field LoginUserUrlBuilder apiCallUrl Ljava/lang/String;
L16: aload_0
L17: ldc 'get'
L19: putfield Field LoginUserUrlBuilder httpMethod Ljava/lang/String;
L22: return
L23:
.linenumbertable
L0 6
L4 8
L10 10
L16 12
.end linenumbertable
.end code
.end method
.method public getServiceUrl : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field LoginUserUrlBuilder serviceUrl Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 19
.end linenumbertable
.end code
.end method
.method public setServiceUrl : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field LoginUserUrlBuilder serviceUrl Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 23
L5 24
.end linenumbertable
.end code
.end method
.method public getApiCallUrl : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field LoginUserUrlBuilder apiCallUrl Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 27
.end linenumbertable
.end code
.end method
.method public setApiCallUrl : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field LoginUserUrlBuilder apiCallUrl Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 31
L5 32
.end linenumbertable
.end code
.end method
.method public getHttpMethod : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field LoginUserUrlBuilder httpMethod Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 35
.end linenumbertable
.end code
.end method
.method public setHttpMethod : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field LoginUserUrlBuilder httpMethod Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 39
L5 40
.end linenumbertable
.end code
.end method
.method public getUserId : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field LoginUserUrlBuilder userId Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 43
.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 LoginUserUrlBuilder userId Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 47
L5 48
.end linenumbertable
.end code
.end method
.method public getPassword : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field LoginUserUrlBuilder password Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 51
.end linenumbertable
.end code
.end method
.method public setPassword : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field LoginUserUrlBuilder password Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 55
L5 56
.end linenumbertable
.end code
.end method
.method public build : ()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_1
L9: aload_0
L10: invokevirtual Method LoginUserUrlBuilder getServiceUrl ()Ljava/lang/String;
L13: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L16: pop
L17: aload_1
L18: ldc '/'
L20: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L23: pop
L24: aload_1
L25: aload_0
L26: invokevirtual Method LoginUserUrlBuilder getApiCallUrl ()Ljava/lang/String;
L29: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L32: pop
L33: aload_1
L34: ldc '/'
L36: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L39: pop
L40: aload_1
L41: aload_0
L42: invokevirtual Method LoginUserUrlBuilder getUserId ()Ljava/lang/String;
L45: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L48: pop
L49: aload_1
L50: ldc '/'
L52: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L55: pop
L56: aload_1
L57: aload_0
L58: invokevirtual Method LoginUserUrlBuilder getPassword ()Ljava/lang/String;
L61: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L64: pop
L65: aload_1
L66: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String;
L69: areturn
L70:
.linenumbertable
L0 59
L8 60
L17 61
L24 62
L33 63
L40 64
L49 65
L56 66
L65 67
.end linenumbertable
.end code
.end method
.sourcefile 'LoginUserUrlBuilder.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 10:47:26 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 LoginUserUrlBuilder_ESTest extends LoginUserUrlBuilder_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
LoginUserUrlBuilder loginUserUrlBuilder0 = new LoginUserUrlBuilder();
loginUserUrlBuilder0.setUserId("http://online.yw56.com.cn/service/ij<k@R/null/ij<k@R");
loginUserUrlBuilder0.getUserId();
assertEquals("get", loginUserUrlBuilder0.getHttpMethod());
assertEquals("Common/LoginUser", loginUserUrlBuilder0.getApiCallUrl());
assertEquals("http://online.yw56.com.cn/service", loginUserUrlBuilder0.getServiceUrl());
}
@Test(timeout = 4000)
public void test01() throws Throwable {
LoginUserUrlBuilder loginUserUrlBuilder0 = new LoginUserUrlBuilder();
loginUserUrlBuilder0.setUserId("");
loginUserUrlBuilder0.getUserId();
assertEquals("http://online.yw56.com.cn/service", loginUserUrlBuilder0.getServiceUrl());
assertEquals("Common/LoginUser", loginUserUrlBuilder0.getApiCallUrl());
assertEquals("get", loginUserUrlBuilder0.getHttpMethod());
}
@Test(timeout = 4000)
public void test02() throws Throwable {
LoginUserUrlBuilder loginUserUrlBuilder0 = new LoginUserUrlBuilder();
assertEquals("http://online.yw56.com.cn/service", loginUserUrlBuilder0.getServiceUrl());
loginUserUrlBuilder0.setServiceUrl((String) null);
loginUserUrlBuilder0.getServiceUrl();
assertEquals("get", loginUserUrlBuilder0.getHttpMethod());
assertEquals("Common/LoginUser", loginUserUrlBuilder0.getApiCallUrl());
}
@Test(timeout = 4000)
public void test03() throws Throwable {
LoginUserUrlBuilder loginUserUrlBuilder0 = new LoginUserUrlBuilder();
assertEquals("http://online.yw56.com.cn/service", loginUserUrlBuilder0.getServiceUrl());
loginUserUrlBuilder0.setServiceUrl("");
loginUserUrlBuilder0.getServiceUrl();
assertEquals("get", loginUserUrlBuilder0.getHttpMethod());
}
@Test(timeout = 4000)
public void test04() throws Throwable {
LoginUserUrlBuilder loginUserUrlBuilder0 = new LoginUserUrlBuilder();
loginUserUrlBuilder0.setPassword("ij<k@R");
loginUserUrlBuilder0.getPassword();
assertEquals("http://online.yw56.com.cn/service", loginUserUrlBuilder0.getServiceUrl());
assertEquals("Common/LoginUser", loginUserUrlBuilder0.getApiCallUrl());
assertEquals("get", loginUserUrlBuilder0.getHttpMethod());
}
@Test(timeout = 4000)
public void test05() throws Throwable {
LoginUserUrlBuilder loginUserUrlBuilder0 = new LoginUserUrlBuilder();
loginUserUrlBuilder0.setPassword("");
loginUserUrlBuilder0.getPassword();
assertEquals("http://online.yw56.com.cn/service", loginUserUrlBuilder0.getServiceUrl());
assertEquals("get", loginUserUrlBuilder0.getHttpMethod());
assertEquals("Common/LoginUser", loginUserUrlBuilder0.getApiCallUrl());
}
@Test(timeout = 4000)
public void test06() throws Throwable {
LoginUserUrlBuilder loginUserUrlBuilder0 = new LoginUserUrlBuilder();
assertEquals("get", loginUserUrlBuilder0.getHttpMethod());
loginUserUrlBuilder0.setHttpMethod((String) null);
loginUserUrlBuilder0.getHttpMethod();
assertEquals("Common/LoginUser", loginUserUrlBuilder0.getApiCallUrl());
assertEquals("http://online.yw56.com.cn/service", loginUserUrlBuilder0.getServiceUrl());
}
@Test(timeout = 4000)
public void test07() throws Throwable {
LoginUserUrlBuilder loginUserUrlBuilder0 = new LoginUserUrlBuilder();
assertEquals("get", loginUserUrlBuilder0.getHttpMethod());
loginUserUrlBuilder0.setHttpMethod("");
loginUserUrlBuilder0.getHttpMethod();
assertEquals("http://online.yw56.com.cn/service", loginUserUrlBuilder0.getServiceUrl());
}
@Test(timeout = 4000)
public void test08() throws Throwable {
LoginUserUrlBuilder loginUserUrlBuilder0 = new LoginUserUrlBuilder();
assertEquals("Common/LoginUser", loginUserUrlBuilder0.getApiCallUrl());
loginUserUrlBuilder0.setApiCallUrl((String) null);
loginUserUrlBuilder0.getApiCallUrl();
assertEquals("http://online.yw56.com.cn/service", loginUserUrlBuilder0.getServiceUrl());
assertEquals("get", loginUserUrlBuilder0.getHttpMethod());
}
@Test(timeout = 4000)
public void test09() throws Throwable {
LoginUserUrlBuilder loginUserUrlBuilder0 = new LoginUserUrlBuilder();
assertEquals("Common/LoginUser", loginUserUrlBuilder0.getApiCallUrl());
loginUserUrlBuilder0.setApiCallUrl("");
loginUserUrlBuilder0.getApiCallUrl();
assertEquals("get", loginUserUrlBuilder0.getHttpMethod());
}
@Test(timeout = 4000)
public void test10() throws Throwable {
LoginUserUrlBuilder loginUserUrlBuilder0 = new LoginUserUrlBuilder();
loginUserUrlBuilder0.getUserId();
assertEquals("get", loginUserUrlBuilder0.getHttpMethod());
assertEquals("http://online.yw56.com.cn/service", loginUserUrlBuilder0.getServiceUrl());
assertEquals("Common/LoginUser", loginUserUrlBuilder0.getApiCallUrl());
}
@Test(timeout = 4000)
public void test11() throws Throwable {
LoginUserUrlBuilder loginUserUrlBuilder0 = new LoginUserUrlBuilder();
String string0 = loginUserUrlBuilder0.getApiCallUrl();
assertEquals("get", loginUserUrlBuilder0.getHttpMethod());
assertEquals("http://online.yw56.com.cn/service", loginUserUrlBuilder0.getServiceUrl());
assertEquals("Common/LoginUser", string0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
LoginUserUrlBuilder loginUserUrlBuilder0 = new LoginUserUrlBuilder();
String string0 = loginUserUrlBuilder0.getServiceUrl();
assertEquals("http://online.yw56.com.cn/service", string0);
assertEquals("Common/LoginUser", loginUserUrlBuilder0.getApiCallUrl());
assertEquals("get", loginUserUrlBuilder0.getHttpMethod());
}
@Test(timeout = 4000)
public void test13() throws Throwable {
LoginUserUrlBuilder loginUserUrlBuilder0 = new LoginUserUrlBuilder();
loginUserUrlBuilder0.getPassword();
assertEquals("get", loginUserUrlBuilder0.getHttpMethod());
assertEquals("Common/LoginUser", loginUserUrlBuilder0.getApiCallUrl());
assertEquals("http://online.yw56.com.cn/service", loginUserUrlBuilder0.getServiceUrl());
}
@Test(timeout = 4000)
public void test14() throws Throwable {
LoginUserUrlBuilder loginUserUrlBuilder0 = new LoginUserUrlBuilder();
String string0 = loginUserUrlBuilder0.build();
assertEquals("get", loginUserUrlBuilder0.getHttpMethod());
assertEquals("http://online.yw56.com.cn/service/Common/LoginUser/null/null", string0);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
LoginUserUrlBuilder loginUserUrlBuilder0 = new LoginUserUrlBuilder();
String string0 = loginUserUrlBuilder0.getHttpMethod();
assertEquals("get", string0);
assertEquals("Common/LoginUser", loginUserUrlBuilder0.getApiCallUrl());
assertEquals("http://online.yw56.com.cn/service", loginUserUrlBuilder0.getServiceUrl());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 10:47: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 LoginUserUrlBuilder_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 = "LoginUserUrlBuilder";
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/tmp0n4qbokl");
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(LoginUserUrlBuilder_ESTest_scaffolding.class.getClassLoader() ,
"LoginUserUrlBuilder"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(LoginUserUrlBuilder_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"LoginUserUrlBuilder"
);
}
}
| 1,449 |
AssertException | /** assert exception. Created by yi on 17-3-30. */
public class AssertException extends IllegalArgumentException {
private int errorCode;
private String message;
public AssertException(int errorCode, String message) {
super(message);
this.errorCode = errorCode;
this.message = message;
}
public AssertException(Throwable cause, Integer errorCode, String message) {
super(message, cause);
this.errorCode = errorCode;
this.message = message;
}
public int getErrorCode() {
return errorCode;
}
}
| .version 52 0
.class public super AssertException
.super java/lang/IllegalArgumentException
.field private errorCode I
.field private message Ljava/lang/String;
.method public <init> : (ILjava/lang/String;)V
.code stack 2 locals 3
L0: aload_0
L1: aload_2
L2: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;)V
L5: aload_0
L6: iload_1
L7: putfield Field AssertException errorCode I
L10: aload_0
L11: aload_2
L12: putfield Field AssertException message Ljava/lang/String;
L15: return
L16:
.linenumbertable
L0 13
L5 14
L10 15
L15 16
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/Throwable;Ljava/lang/Integer;Ljava/lang/String;)V
.code stack 3 locals 4
L0: aload_0
L1: aload_3
L2: aload_1
L3: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;Ljava/lang/Throwable;)V
L6: aload_0
L7: aload_2
L8: invokevirtual Method java/lang/Integer intValue ()I
L11: putfield Field AssertException errorCode I
L14: aload_0
L15: aload_3
L16: putfield Field AssertException message Ljava/lang/String;
L19: return
L20:
.linenumbertable
L0 19
L6 20
L14 21
L19 22
.end linenumbertable
.end code
.end method
.method public getErrorCode : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field AssertException errorCode I
L4: ireturn
L5:
.linenumbertable
L0 25
.end linenumbertable
.end code
.end method
.sourcefile 'AssertException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 22:16:20 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 AssertException_ESTest extends AssertException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
AssertException assertException0 = new AssertException(26045, ">hQpMjS.");
int int0 = assertException0.getErrorCode();
assertEquals(26045, int0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Integer integer0 = Integer.getInteger("", 0);
AssertException assertException0 = new AssertException((Throwable) null, integer0, "");
int int0 = assertException0.getErrorCode();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
AssertException assertException0 = new AssertException((-1), "= Ent9lFQ=B");
int int0 = assertException0.getErrorCode();
assertEquals((-1), int0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 22:16: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 AssertException_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 = "AssertException";
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/tmp8w2r6y8t");
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(AssertException_ESTest_scaffolding.class.getClassLoader() ,
"AssertException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AssertException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"AssertException"
);
}
}
| 1,450 |
Exit | public class Exit {
public void systemExit() {
System.exit(0);
}
}
| .version 52 0
.class public super Exit
.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
.method public systemExit : ()V
.code stack 1 locals 1
L0: iconst_0
L1: invokestatic Method java/lang/System exit (I)V
L4: return
L5:
.linenumbertable
L0 3
L4 4
.end linenumbertable
.end code
.end method
.sourcefile 'Exit.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 23:16:04 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.System;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Exit_ESTest extends Exit_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Exit exit0 = new Exit();
// Undeclared exception!
try {
exit0.systemExit();
fail("Expecting exception: System.SystemExitException");
} catch(System.SystemExitException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("org.evosuite.runtime.System", e);
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 23:16:04 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Exit_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 = "Exit";
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/tmp2yawht1i");
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(Exit_ESTest_scaffolding.class.getClassLoader() ,
"Exit"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Exit_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Exit"
);
}
}
| 1,451 |
County | /** Created by Mozzie on 2015/8/26. */
public class County {
private int id;
private String countyName;
private String countyCode;
private int cityId;
public int getId() {
return id;
}
public void setId(int id) {
this.id = id;
}
public String getCountyName() {
return countyName;
}
public void setCountyName(String countyName) {
this.countyName = countyName;
}
public String getCountyCode() {
return countyCode;
}
public void setCountyCode(String countyCode) {
this.countyCode = countyCode;
}
public int getCityId() {
return cityId;
}
public void setCityId(int cityId) {
this.cityId = cityId;
}
}
| .version 52 0
.class public super County
.super java/lang/Object
.field private id I
.field private countyName Ljava/lang/String;
.field private countyCode Ljava/lang/String;
.field private cityId I
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 6
.end linenumbertable
.end code
.end method
.method public getId : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field County id I
L4: ireturn
L5:
.linenumbertable
L0 13
.end linenumbertable
.end code
.end method
.method public setId : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field County id I
L5: return
L6:
.linenumbertable
L0 17
L5 18
.end linenumbertable
.end code
.end method
.method public getCountyName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field County countyName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 21
.end linenumbertable
.end code
.end method
.method public setCountyName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field County countyName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 25
L5 26
.end linenumbertable
.end code
.end method
.method public getCountyCode : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field County countyCode Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 29
.end linenumbertable
.end code
.end method
.method public setCountyCode : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field County countyCode Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 33
L5 34
.end linenumbertable
.end code
.end method
.method public getCityId : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field County cityId I
L4: ireturn
L5:
.linenumbertable
L0 37
.end linenumbertable
.end code
.end method
.method public setCityId : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field County cityId I
L5: return
L6:
.linenumbertable
L0 41
L5 42
.end linenumbertable
.end code
.end method
.sourcefile 'County.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 07:23: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 County_ESTest extends County_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
County county0 = new County();
county0.setId((-20736));
int int0 = county0.getId();
assertEquals((-20736), int0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
County county0 = new County();
county0.setCountyName("+Z#`o*ybbGn");
String string0 = county0.getCountyName();
assertEquals("+Z#`o*ybbGn", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
County county0 = new County();
county0.setCountyCode("County");
String string0 = county0.getCountyCode();
assertEquals("County", string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
County county0 = new County();
county0.setCityId(1);
int int0 = county0.getCityId();
assertEquals(1, int0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
County county0 = new County();
county0.setCityId((-23672));
int int0 = county0.getCityId();
assertEquals((-23672), int0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
County county0 = new County();
int int0 = county0.getId();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
County county0 = new County();
county0.setCountyCode("");
String string0 = county0.getCountyCode();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
County county0 = new County();
String string0 = county0.getCountyCode();
assertNull(string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
County county0 = new County();
String string0 = county0.getCountyName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
County county0 = new County();
county0.setId(20430);
int int0 = county0.getId();
assertEquals(20430, int0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
County county0 = new County();
int int0 = county0.getCityId();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
County county0 = new County();
county0.setCountyName("");
String string0 = county0.getCountyName();
assertEquals("", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 07:23: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 County_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 = "County";
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/tmp907b6_od");
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(County_ESTest_scaffolding.class.getClassLoader() ,
"County"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(County_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"County"
);
}
}
| 1,452 |
CacheException | /**
* Copyright Pravega 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.
*/
/** Exception that is thrown whenever a Cache operation could not be completed. */
public class CacheException extends RuntimeException {
private static final long serialVersionUID = 1L;
/**
* Creates a new instance of the CacheException class.
*
* @param message The message to use.
*/
public CacheException(String message) {
super(message);
}
/**
* Creates a new instance of the CacheException class.
*
* @param message The message to use.
* @param cause The causing exception.
*/
public CacheException(String message, Throwable cause) {
super(message, cause);
}
}
| .version 52 0
.class public super CacheException
.super java/lang/RuntimeException
.field private static final serialVersionUID J = 1L
.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 29
L5 30
.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 39
L6 40
.end linenumbertable
.end code
.end method
.sourcefile 'CacheException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 21:55:18 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 CacheException_ESTest extends CacheException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
MockThrowable mockThrowable0 = new MockThrowable();
CacheException cacheException0 = new CacheException("za~E%)o=fiGD7D", mockThrowable0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
CacheException cacheException0 = new CacheException((String) null);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 21:55: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 CacheException_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 = "CacheException";
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_csg7coc");
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(CacheException_ESTest_scaffolding.class.getClassLoader() ,
"CacheException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CacheException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"CacheException"
);
}
}
| 1,453 |
RegisterUserDto | public class RegisterUserDto {
private String email;
private String fullName;
private String password;
private String confirmPassword;
public RegisterUserDto() {}
public RegisterUserDto(String email, String password, String confirmPassword, String fullName) {
this.email = email;
this.fullName = fullName;
this.password = password;
this.confirmPassword = confirmPassword;
}
public String getEmail() {
return this.email;
}
public void setEmail(String email) {
this.email = email;
}
public String getFullName() {
return this.fullName;
}
public void setFullName(String fullName) {
this.fullName = fullName;
}
public String getPassword() {
return this.password;
}
public void setPassword(String password) {
this.password = password;
}
public String getConfirmPassword() {
return this.confirmPassword;
}
public void setConfirmPassword(String confirmPassword) {
this.confirmPassword = confirmPassword;
}
}
| .version 52 0
.class public super RegisterUserDto
.super java/lang/Object
.field private email Ljava/lang/String;
.field private fullName Ljava/lang/String;
.field private password Ljava/lang/String;
.field private confirmPassword 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 10
L4 11
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V
.code stack 2 locals 5
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field RegisterUserDto email Ljava/lang/String;
L9: aload_0
L10: aload 4
L12: putfield Field RegisterUserDto fullName Ljava/lang/String;
L15: aload_0
L16: aload_2
L17: putfield Field RegisterUserDto password Ljava/lang/String;
L20: aload_0
L21: aload_3
L22: putfield Field RegisterUserDto confirmPassword Ljava/lang/String;
L25: return
L26:
.linenumbertable
L0 13
L4 14
L9 15
L15 16
L20 17
L25 18
.end linenumbertable
.end code
.end method
.method public getEmail : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field RegisterUserDto email Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 21
.end linenumbertable
.end code
.end method
.method public setEmail : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field RegisterUserDto email Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 25
L5 26
.end linenumbertable
.end code
.end method
.method public getFullName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field RegisterUserDto fullName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 29
.end linenumbertable
.end code
.end method
.method public setFullName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field RegisterUserDto fullName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 33
L5 34
.end linenumbertable
.end code
.end method
.method public getPassword : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field RegisterUserDto password Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 37
.end linenumbertable
.end code
.end method
.method public setPassword : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field RegisterUserDto password Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 41
L5 42
.end linenumbertable
.end code
.end method
.method public getConfirmPassword : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field RegisterUserDto confirmPassword Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 45
.end linenumbertable
.end code
.end method
.method public setConfirmPassword : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field RegisterUserDto confirmPassword Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 49
L5 50
.end linenumbertable
.end code
.end method
.sourcefile 'RegisterUserDto.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 08:33:04 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class RegisterUserDto_ESTest extends RegisterUserDto_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
RegisterUserDto registerUserDto0 = new RegisterUserDto();
registerUserDto0.setPassword("RegisterUserDto");
String string0 = registerUserDto0.getPassword();
assertEquals("RegisterUserDto", string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
RegisterUserDto registerUserDto0 = new RegisterUserDto();
registerUserDto0.setPassword("");
String string0 = registerUserDto0.getPassword();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
RegisterUserDto registerUserDto0 = new RegisterUserDto();
String string0 = registerUserDto0.getFullName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
RegisterUserDto registerUserDto0 = new RegisterUserDto("%58{i$NP;ZIJk", "%58{i$NP;ZIJk", " <La(c2jXFcU:", "8+8S-Ny5bh{Tjs*");
registerUserDto0.setFullName("");
String string0 = registerUserDto0.getFullName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
RegisterUserDto registerUserDto0 = new RegisterUserDto();
String string0 = registerUserDto0.getEmail();
assertNull(string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
RegisterUserDto registerUserDto0 = new RegisterUserDto();
registerUserDto0.setEmail("");
String string0 = registerUserDto0.getEmail();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
RegisterUserDto registerUserDto0 = new RegisterUserDto();
String string0 = registerUserDto0.getConfirmPassword();
assertNull(string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
RegisterUserDto registerUserDto0 = new RegisterUserDto("|O:L_fJm9U/ZoF)DS", "", (String) null, "|O:L_fJm9U/ZoF)DS");
registerUserDto0.setConfirmPassword("");
String string0 = registerUserDto0.getConfirmPassword();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
RegisterUserDto registerUserDto0 = new RegisterUserDto();
String string0 = registerUserDto0.getPassword();
assertNull(string0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
RegisterUserDto registerUserDto0 = new RegisterUserDto("a", "a", "a", "a");
String string0 = registerUserDto0.getEmail();
assertEquals("a", string0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
RegisterUserDto registerUserDto0 = new RegisterUserDto("%58{i$NP;ZIJk", "%58{i$NP;ZIJk", " <La(c2jXFcU:", "8+8S-Ny5bh{Tjs*");
String string0 = registerUserDto0.getConfirmPassword();
assertEquals(" <La(c2jXFcU:", string0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
RegisterUserDto registerUserDto0 = new RegisterUserDto("%58{i$NP;ZIJk", "%58{i$NP;ZIJk", " <La(c2jXFcU:", "8+8S-Ny5bh{Tjs*");
String string0 = registerUserDto0.getFullName();
assertEquals("8+8S-Ny5bh{Tjs*", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 08:33:04 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class RegisterUserDto_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 = "RegisterUserDto";
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/tmpnyrx2_23");
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(RegisterUserDto_ESTest_scaffolding.class.getClassLoader() ,
"RegisterUserDto"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RegisterUserDto_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"RegisterUserDto"
);
}
}
| 1,454 |
ClientHealthStatus | /*
* Licensed to the Apache Software Foundation (ASF) under one or more
* contributor license agreements. See the NOTICE file distributed with
* this work for additional information regarding copyright ownership.
* The ASF licenses this file to You under the Apache License, Version 2.0
* (the "License"); you may not use this file except in compliance with
* the License. You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
import java.util.HashMap;
import java.util.Map;
/**
* Composite data type used to distribute statistics which can be used to determine the health of a
* cache client.
*
* @author rishim, ajayp
* @since 7.0
*/
public class ClientHealthStatus {
/** Id of the client */
private String clientId;
/** Name of the client */
private String name;
/** Host Name of the client */
private String hostName;
/**
* "numOfGets", IntCounter, "The total number of times a successful get has been done on this
* cache." Java: CachePerfStats.gets Native: Not yet Defined
*/
private int numOfGets;
/**
* "numOfPuts", IntCounter, "The total number of times an entry is added or replaced in this cache
* as a result of a local operation (put(), create(), or get() which results in load, netsearch,
* or netloading a value). Note that this only counts puts done explicitly on this cache. It does
* not count updates pushed from other caches." Java: CachePerfStats.puts Native: Not yet Defined
*/
private int numOfPuts;
/**
* Represents number of cache misses in this client. IntCounter, "Total number of times a get on
* the cache did not find a value already in local memory." Java: CachePerfStats.misses
*/
private int numOfMisses;
/**
* Represents number of cache listners calls completed. IntCounter, "Total number of times a cache
* listener call has completed." Java: CachePerfStats.cacheListenerCallsCompleted
*/
private int numOfCacheListenerCalls;
/**
* Represents total number of active threads in the client VM. IntCounter, "Current number of live
* threads (both daemon and non-daemon) in this VM." Java: VMStats.threads
*/
private int numOfThreads;
/**
* Represents the CPU time used by the process (in nanoseconds). LongCounter, "CPU timed used by
* the process in nanoseconds." Java: VMStats.processCpuTime
*/
private long processCpuTime;
/**
* Represents the number of cpus available to the java VM on its machine. IntCounter, "Number of
* cpus available to the java VM on its machine." Java: VMStats.cpus
*/
private int cpus;
/** client queue sizes */
private int queueSize;
/** Represents time when this snapshot of the client statistics was taken. */
private long upTime;
/** Whether a durable client is connected or not to the server. */
private boolean connected;
/** Number of CQS getting executed by the client */
private int clientCQCount;
/** Whether the client has subscriptions enabled true or not.. */
private boolean subscriptionEnabled;
/** Represents stats for a poolName . */
private Map<String, String> clientPoolStatsMap = new HashMap<String, String>();
/** Returns the number of times a successful get operation has occurred. */
public int getNumOfGets() {
return numOfGets;
}
/**
* Returns the number of times an entry was added or replaced in this cache as a result of a local
* operation. Operations counted include puts, creates, and gets which result in loading, net
* searching, or net loading a value. The count only includes operations done explicitly on this
* cache, not those that are pushed from other caches.
*/
public int getNumOfPuts() {
return numOfPuts;
}
/** Returns the number of times a cache miss has occurred. */
public int getNumOfMisses() {
return numOfMisses;
}
/** Returns the number of times a cache listener call has completed. */
public int getNumOfCacheListenerCalls() {
return numOfCacheListenerCalls;
}
/** Returns the number of threads currently in use. */
public int getNumOfThreads() {
return numOfThreads;
}
/** Returns the amount of time (in nanoseconds) used by the client process. */
public long getProcessCpuTime() {
return processCpuTime;
}
/** Returns the number of CPUs available to the client. */
public int getCpus() {
return cpus;
}
/** Returns the amount of time (in seconds) that the client has been running. */
public long getUpTime() {
return upTime;
}
/** Returns the ID of the client. */
public String getClientId() {
return clientId;
}
/** Sets the number of times a successful get operation has occurred. */
public void setNumOfGets(int numOfGets) {
this.numOfGets = numOfGets;
}
/**
* Set the number of times an entry was added or replaced in this cache as a result of a local
* operation.
*/
public void setNumOfPuts(int numOfPuts) {
this.numOfPuts = numOfPuts;
}
/** Sets the number of times a cache miss has occurred. */
public void setNumOfMisses(int numOfMisses) {
this.numOfMisses = numOfMisses;
}
/** Sets the number of times a cache listener call has completed. */
public void setNumOfCacheListenerCalls(int numOfCacheListenerCalls) {
this.numOfCacheListenerCalls = numOfCacheListenerCalls;
}
/** Sets the number of threads currently in use. */
public void setNumOfThreads(int numOfThreads) {
this.numOfThreads = numOfThreads;
}
/** Sets the amount of time (in nanoseconds) used by the client process. */
public void setProcessCpuTime(long processCpuTime) {
this.processCpuTime = processCpuTime;
}
/** Sets the number of CPUs available to the client. */
public void setCpus(int cpus) {
this.cpus = cpus;
}
/** Sets the amount of time (in seconds) that the client has been running. */
public void setUpTime(long upTime) {
this.upTime = upTime;
}
/** Sets the client queue size. */
public void setQueueSize(int queueSize) {
this.queueSize = queueSize;
}
/** Sets the ID of the client. */
public void setClientId(String clientId) {
this.clientId = clientId;
}
/** Returns the client queue size. */
public int getQueueSize() {
return queueSize;
}
/** Returns the name of the client. */
public String getName() {
return name;
}
/** Returns the name of the host on which the client is running. */
public String getHostName() {
return hostName;
}
/** Sets the name of the client. */
public void setName(String name) {
this.name = name;
}
/** Sets the name of the host on which the client is running. */
public void setHostName(String hostName) {
this.hostName = hostName;
}
public Map<String, String> getPoolStats() {
return this.clientPoolStatsMap;
}
public void setPoolStats(Map<String, String> map) {
this.clientPoolStatsMap = map;
}
public boolean isConnected() {
return connected;
}
public void setConnected(boolean connected) {
this.connected = connected;
}
public boolean getSubscriptionEnabled() {
return subscriptionEnabled;
}
public int getClientCQCount() {
return clientCQCount;
}
public void setSubscriptionEnabled(boolean subscriptionEnabled) {
this.subscriptionEnabled = subscriptionEnabled;
}
public void setClientCQCount(int clientCQCount) {
this.clientCQCount = clientCQCount;
}
@Override
public String toString() {
return "ClientHealthStatus [clientId="
+ clientId
+ ", name="
+ name
+ ", hostName="
+ hostName
+ ", numOfGets="
+ numOfGets
+ ", numOfPuts="
+ numOfPuts
+ ", numOfMisses="
+ numOfMisses
+ ", numOfCacheListenerCalls="
+ numOfCacheListenerCalls
+ ", numOfThreads="
+ numOfThreads
+ ", processCpuTime="
+ processCpuTime
+ ", cpus="
+ cpus
+ ", queueSize="
+ queueSize
+ ", upTime="
+ upTime
+ ", clientPoolStatsMap="
+ clientPoolStatsMap
+ ", connected="
+ connected
+ " clientCQCount = "
+ clientCQCount
+ " subscriptionEnabled = "
+ subscriptionEnabled
+ "]";
}
}
| .version 52 0
.class public super ClientHealthStatus
.super java/lang/Object
.field private clientId Ljava/lang/String;
.field private name Ljava/lang/String;
.field private hostName Ljava/lang/String;
.field private numOfGets I
.field private numOfPuts I
.field private numOfMisses I
.field private numOfCacheListenerCalls I
.field private numOfThreads I
.field private processCpuTime J
.field private cpus I
.field private queueSize I
.field private upTime J
.field private connected Z
.field private clientCQCount I
.field private subscriptionEnabled Z
.field private clientPoolStatsMap Ljava/util/Map; .fieldattributes
.signature Ljava/util/Map<Ljava/lang/String;Ljava/lang/String;>;
.end fieldattributes
.method public <init> : ()V
.code stack 3 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: new java/util/HashMap
L8: dup
L9: invokespecial Method java/util/HashMap <init> ()V
L12: putfield Field ClientHealthStatus clientPoolStatsMap Ljava/util/Map;
L15: return
L16:
.linenumbertable
L0 30
L4 127
.end linenumbertable
.end code
.end method
.method public getNumOfGets : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ClientHealthStatus numOfGets I
L4: ireturn
L5:
.linenumbertable
L0 133
.end linenumbertable
.end code
.end method
.method public getNumOfPuts : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ClientHealthStatus numOfPuts I
L4: ireturn
L5:
.linenumbertable
L0 144
.end linenumbertable
.end code
.end method
.method public getNumOfMisses : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ClientHealthStatus numOfMisses I
L4: ireturn
L5:
.linenumbertable
L0 151
.end linenumbertable
.end code
.end method
.method public getNumOfCacheListenerCalls : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ClientHealthStatus numOfCacheListenerCalls I
L4: ireturn
L5:
.linenumbertable
L0 158
.end linenumbertable
.end code
.end method
.method public getNumOfThreads : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ClientHealthStatus numOfThreads I
L4: ireturn
L5:
.linenumbertable
L0 165
.end linenumbertable
.end code
.end method
.method public getProcessCpuTime : ()J
.code stack 2 locals 1
L0: aload_0
L1: getfield Field ClientHealthStatus processCpuTime J
L4: lreturn
L5:
.linenumbertable
L0 172
.end linenumbertable
.end code
.end method
.method public getCpus : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ClientHealthStatus cpus I
L4: ireturn
L5:
.linenumbertable
L0 179
.end linenumbertable
.end code
.end method
.method public getUpTime : ()J
.code stack 2 locals 1
L0: aload_0
L1: getfield Field ClientHealthStatus upTime J
L4: lreturn
L5:
.linenumbertable
L0 186
.end linenumbertable
.end code
.end method
.method public getClientId : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ClientHealthStatus clientId Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 193
.end linenumbertable
.end code
.end method
.method public setNumOfGets : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field ClientHealthStatus numOfGets I
L5: return
L6:
.linenumbertable
L0 200
L5 201
.end linenumbertable
.end code
.end method
.method public setNumOfPuts : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field ClientHealthStatus numOfPuts I
L5: return
L6:
.linenumbertable
L0 208
L5 209
.end linenumbertable
.end code
.end method
.method public setNumOfMisses : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field ClientHealthStatus numOfMisses I
L5: return
L6:
.linenumbertable
L0 215
L5 216
.end linenumbertable
.end code
.end method
.method public setNumOfCacheListenerCalls : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field ClientHealthStatus numOfCacheListenerCalls I
L5: return
L6:
.linenumbertable
L0 222
L5 223
.end linenumbertable
.end code
.end method
.method public setNumOfThreads : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field ClientHealthStatus numOfThreads I
L5: return
L6:
.linenumbertable
L0 229
L5 230
.end linenumbertable
.end code
.end method
.method public setProcessCpuTime : (J)V
.code stack 3 locals 3
L0: aload_0
L1: lload_1
L2: putfield Field ClientHealthStatus processCpuTime J
L5: return
L6:
.linenumbertable
L0 236
L5 237
.end linenumbertable
.end code
.end method
.method public setCpus : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field ClientHealthStatus cpus I
L5: return
L6:
.linenumbertable
L0 243
L5 244
.end linenumbertable
.end code
.end method
.method public setUpTime : (J)V
.code stack 3 locals 3
L0: aload_0
L1: lload_1
L2: putfield Field ClientHealthStatus upTime J
L5: return
L6:
.linenumbertable
L0 250
L5 251
.end linenumbertable
.end code
.end method
.method public setQueueSize : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field ClientHealthStatus queueSize I
L5: return
L6:
.linenumbertable
L0 257
L5 258
.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 ClientHealthStatus clientId Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 264
L5 265
.end linenumbertable
.end code
.end method
.method public getQueueSize : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ClientHealthStatus queueSize I
L4: ireturn
L5:
.linenumbertable
L0 271
.end linenumbertable
.end code
.end method
.method public getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ClientHealthStatus name Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 278
.end linenumbertable
.end code
.end method
.method public getHostName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ClientHealthStatus hostName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 285
.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 ClientHealthStatus name Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 292
L5 293
.end linenumbertable
.end code
.end method
.method public setHostName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field ClientHealthStatus hostName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 299
L5 300
.end linenumbertable
.end code
.end method
.method public getPoolStats : ()Ljava/util/Map;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ClientHealthStatus clientPoolStatsMap Ljava/util/Map;
L4: areturn
L5:
.linenumbertable
L0 304
.end linenumbertable
.end code
.signature ()Ljava/util/Map<Ljava/lang/String;Ljava/lang/String;>;
.end method
.method public setPoolStats : (Ljava/util/Map;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field ClientHealthStatus clientPoolStatsMap Ljava/util/Map;
L5: return
L6:
.linenumbertable
L0 308
L5 309
.end linenumbertable
.end code
.signature (Ljava/util/Map<Ljava/lang/String;Ljava/lang/String;>;)V
.end method
.method public isConnected : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ClientHealthStatus connected Z
L4: ireturn
L5:
.linenumbertable
L0 312
.end linenumbertable
.end code
.end method
.method public setConnected : (Z)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field ClientHealthStatus connected Z
L5: return
L6:
.linenumbertable
L0 316
L5 317
.end linenumbertable
.end code
.end method
.method public getSubscriptionEnabled : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ClientHealthStatus subscriptionEnabled Z
L4: ireturn
L5:
.linenumbertable
L0 321
.end linenumbertable
.end code
.end method
.method public getClientCQCount : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ClientHealthStatus clientCQCount I
L4: ireturn
L5:
.linenumbertable
L0 325
.end linenumbertable
.end code
.end method
.method public setSubscriptionEnabled : (Z)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field ClientHealthStatus subscriptionEnabled Z
L5: return
L6:
.linenumbertable
L0 329
L5 330
.end linenumbertable
.end code
.end method
.method public setClientCQCount : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field ClientHealthStatus clientCQCount I
L5: return
L6:
.linenumbertable
L0 333
L5 334
.end linenumbertable
.end code
.end method
.method public toString : ()Ljava/lang/String;
.code stack 3 locals 1
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: ldc 'ClientHealthStatus [clientId='
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field ClientHealthStatus clientId Ljava/lang/String;
L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L19: ldc ', name='
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: aload_0
L25: getfield Field ClientHealthStatus name Ljava/lang/String;
L28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L31: ldc ', hostName='
L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L36: aload_0
L37: getfield Field ClientHealthStatus hostName Ljava/lang/String;
L40: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L43: ldc ', numOfGets='
L45: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L48: aload_0
L49: getfield Field ClientHealthStatus numOfGets I
L52: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L55: ldc ', numOfPuts='
L57: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L60: aload_0
L61: getfield Field ClientHealthStatus numOfPuts I
L64: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L67: ldc ', numOfMisses='
L69: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L72: aload_0
L73: getfield Field ClientHealthStatus numOfMisses I
L76: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L79: ldc ', numOfCacheListenerCalls='
L81: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L84: aload_0
L85: getfield Field ClientHealthStatus numOfCacheListenerCalls I
L88: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L91: ldc ', numOfThreads='
L93: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L96: aload_0
L97: getfield Field ClientHealthStatus numOfThreads I
L100: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L103: ldc ', processCpuTime='
L105: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L108: aload_0
L109: getfield Field ClientHealthStatus processCpuTime J
L112: invokevirtual Method java/lang/StringBuilder append (J)Ljava/lang/StringBuilder;
L115: ldc ', cpus='
L117: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L120: aload_0
L121: getfield Field ClientHealthStatus cpus I
L124: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L127: ldc ', queueSize='
L129: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L132: aload_0
L133: getfield Field ClientHealthStatus queueSize I
L136: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L139: ldc ', upTime='
L141: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L144: aload_0
L145: getfield Field ClientHealthStatus upTime J
L148: invokevirtual Method java/lang/StringBuilder append (J)Ljava/lang/StringBuilder;
L151: ldc ', clientPoolStatsMap='
L153: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L156: aload_0
L157: getfield Field ClientHealthStatus clientPoolStatsMap Ljava/util/Map;
L160: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L163: ldc ', connected='
L165: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L168: aload_0
L169: getfield Field ClientHealthStatus connected Z
L172: invokevirtual Method java/lang/StringBuilder append (Z)Ljava/lang/StringBuilder;
L175: ldc ' clientCQCount = '
L177: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L180: aload_0
L181: getfield Field ClientHealthStatus clientCQCount I
L184: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L187: ldc ' subscriptionEnabled = '
L189: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L192: aload_0
L193: getfield Field ClientHealthStatus subscriptionEnabled Z
L196: invokevirtual Method java/lang/StringBuilder append (Z)Ljava/lang/StringBuilder;
L199: ldc ']'
L201: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L204: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L207: areturn
L208:
.linenumbertable
L0 339
.end linenumbertable
.end code
.end method
.sourcefile 'ClientHealthStatus.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 18:35:56 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 ClientHealthStatus_ESTest extends ClientHealthStatus_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
clientHealthStatus0.setUpTime((-39779L));
long long0 = clientHealthStatus0.getUpTime();
assertEquals((-39779L), long0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
clientHealthStatus0.setQueueSize(180);
int int0 = clientHealthStatus0.getQueueSize();
assertEquals(180, int0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
clientHealthStatus0.setProcessCpuTime(40827L);
long long0 = clientHealthStatus0.getProcessCpuTime();
assertEquals(40827L, long0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
clientHealthStatus0.setProcessCpuTime((-47142L));
long long0 = clientHealthStatus0.getProcessCpuTime();
assertEquals((-47142L), long0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
HashMap<String, String> hashMap0 = new HashMap<String, String>();
hashMap0.put("?", "tLnf'");
clientHealthStatus0.setPoolStats(hashMap0);
Map<String, String> map0 = clientHealthStatus0.getPoolStats();
assertFalse(map0.isEmpty());
}
@Test(timeout = 4000)
public void test05() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
clientHealthStatus0.setNumOfThreads((-23637));
int int0 = clientHealthStatus0.getNumOfThreads();
assertEquals((-23637), int0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
clientHealthStatus0.setNumOfPuts(4531);
int int0 = clientHealthStatus0.getNumOfPuts();
assertEquals(4531, int0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
clientHealthStatus0.setNumOfPuts((-33049));
int int0 = clientHealthStatus0.getNumOfPuts();
assertEquals((-33049), int0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
clientHealthStatus0.setNumOfMisses(1);
int int0 = clientHealthStatus0.getNumOfMisses();
assertEquals(1, int0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
clientHealthStatus0.setNumOfMisses((-27365));
int int0 = clientHealthStatus0.getNumOfMisses();
assertEquals((-27365), int0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
clientHealthStatus0.setNumOfGets(70727);
int int0 = clientHealthStatus0.getNumOfGets();
assertEquals(70727, int0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
clientHealthStatus0.setNumOfCacheListenerCalls(74654);
int int0 = clientHealthStatus0.getNumOfCacheListenerCalls();
assertEquals(74654, int0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
clientHealthStatus0.setNumOfCacheListenerCalls((-627));
int int0 = clientHealthStatus0.getNumOfCacheListenerCalls();
assertEquals((-627), int0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
clientHealthStatus0.setName("");
String string0 = clientHealthStatus0.getName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
clientHealthStatus0.setHostName("|vaW$G");
String string0 = clientHealthStatus0.getHostName();
assertEquals("|vaW$G", string0);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
clientHealthStatus0.setCpus(17431);
int int0 = clientHealthStatus0.getCpus();
assertEquals(17431, int0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
clientHealthStatus0.setCpus((-69830));
int int0 = clientHealthStatus0.getCpus();
assertEquals((-69830), int0);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
clientHealthStatus0.setClientId("|vaW$G");
String string0 = clientHealthStatus0.getClientId();
assertEquals("|vaW$G", string0);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
clientHealthStatus0.setClientCQCount(11509);
int int0 = clientHealthStatus0.getClientCQCount();
assertEquals(11509, int0);
}
@Test(timeout = 4000)
public void test19() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
clientHealthStatus0.setClientCQCount((-3816));
int int0 = clientHealthStatus0.getClientCQCount();
assertEquals((-3816), int0);
}
@Test(timeout = 4000)
public void test20() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
clientHealthStatus0.setName("&");
String string0 = clientHealthStatus0.getName();
assertEquals("&", string0);
}
@Test(timeout = 4000)
public void test21() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
long long0 = clientHealthStatus0.getProcessCpuTime();
assertEquals(0L, long0);
}
@Test(timeout = 4000)
public void test22() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
int int0 = clientHealthStatus0.getNumOfCacheListenerCalls();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test23() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
clientHealthStatus0.setSubscriptionEnabled(true);
boolean boolean0 = clientHealthStatus0.getSubscriptionEnabled();
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test24() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
int int0 = clientHealthStatus0.getNumOfMisses();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test25() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
String string0 = clientHealthStatus0.getClientId();
assertNull(string0);
}
@Test(timeout = 4000)
public void test26() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
int int0 = clientHealthStatus0.getNumOfThreads();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test27() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
int int0 = clientHealthStatus0.getCpus();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test28() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
int int0 = clientHealthStatus0.getQueueSize();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test29() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
Map<String, String> map0 = clientHealthStatus0.getPoolStats();
clientHealthStatus0.setPoolStats(map0);
assertFalse(clientHealthStatus0.isConnected());
}
@Test(timeout = 4000)
public void test30() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
boolean boolean0 = clientHealthStatus0.getSubscriptionEnabled();
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test31() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
long long0 = clientHealthStatus0.getUpTime();
assertEquals(0L, long0);
}
@Test(timeout = 4000)
public void test32() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
int int0 = clientHealthStatus0.getNumOfGets();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test33() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
clientHealthStatus0.setConnected(true);
boolean boolean0 = clientHealthStatus0.isConnected();
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test34() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
boolean boolean0 = clientHealthStatus0.isConnected();
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test35() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
clientHealthStatus0.setNumOfThreads(40395);
int int0 = clientHealthStatus0.getNumOfThreads();
assertEquals(40395, int0);
}
@Test(timeout = 4000)
public void test36() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
int int0 = clientHealthStatus0.getClientCQCount();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test37() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
String string0 = clientHealthStatus0.getHostName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test38() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
String string0 = clientHealthStatus0.getName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test39() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
clientHealthStatus0.setHostName("");
String string0 = clientHealthStatus0.getHostName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test40() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
String string0 = clientHealthStatus0.toString();
assertEquals("ClientHealthStatus [clientId=null, name=null, hostName=null, numOfGets=0, numOfPuts=0, numOfMisses=0, numOfCacheListenerCalls=0, numOfThreads=0, processCpuTime=0, cpus=0, queueSize=0, upTime=0, clientPoolStatsMap={}, connected=false clientCQCount = 0 subscriptionEnabled = false]", string0);
}
@Test(timeout = 4000)
public void test41() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
int int0 = clientHealthStatus0.getNumOfPuts();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test42() throws Throwable {
ClientHealthStatus clientHealthStatus0 = new ClientHealthStatus();
clientHealthStatus0.setQueueSize((-1));
int int0 = clientHealthStatus0.getQueueSize();
assertEquals((-1), int0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 18:35: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 ClientHealthStatus_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 = "ClientHealthStatus";
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/tmph9s1oidb");
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(ClientHealthStatus_ESTest_scaffolding.class.getClassLoader() ,
"ClientHealthStatus"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ClientHealthStatus_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ClientHealthStatus"
);
}
}
| 1,455 |
Role | public class Role {
public String id;
public String name;
public Boolean checked = false;
}
| .version 52 0
.class public super Role
.super java/lang/Object
.field public id Ljava/lang/String;
.field public name Ljava/lang/String;
.field public checked Ljava/lang/Boolean;
.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: invokestatic Method java/lang/Boolean valueOf (Z)Ljava/lang/Boolean;
L9: putfield Field Role checked Ljava/lang/Boolean;
L12: return
L13:
.linenumbertable
L0 3
L4 6
.end linenumbertable
.end code
.end method
.sourcefile 'Role.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 21:52: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 Role_ESTest extends Role_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Role role0 = new Role();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 21:52:28 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Role_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 = "Role";
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/tmpf2f77tzh");
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(Role_ESTest_scaffolding.class.getClassLoader() ,
"Role"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Role_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Role"
);
}
}
| 1,456 |
CommandGenerateExcel | public class CommandGenerateExcel {}
| .version 52 0
.class public super CommandGenerateExcel
.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 'CommandGenerateExcel.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 18:47: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 CommandGenerateExcel_ESTest extends CommandGenerateExcel_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
CommandGenerateExcel commandGenerateExcel0 = new CommandGenerateExcel();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 18:47: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 CommandGenerateExcel_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 = "CommandGenerateExcel";
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/tmpse0xz9oa");
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(CommandGenerateExcel_ESTest_scaffolding.class.getClassLoader() ,
"CommandGenerateExcel"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CommandGenerateExcel_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"CommandGenerateExcel"
);
}
}
| 1,457 |
Main | import java.util.Scanner;
public class Main {
public static void main(String[] args) {
// write your code here
Scanner scanner = new Scanner(System.in);
StringBuilder op = new StringBuilder();
int init, turns, t1, t2, t3;
while (scanner.hasNextLine()) {
turns = 120;
init = scanner.nextInt();
t1 = scanner.nextInt();
t2 = scanner.nextInt();
t3 = scanner.nextInt();
if (init == 0 && t2 == 0 && t1 == 0 && t3 == 0) break;
turns += (init - t1 + 40) % 40;
turns += (t2 - t1 + 40) % 40;
turns += (t2 - t3 + 40) % 40;
turns *= 9;
op.append(turns + "\n");
}
System.out.println(op.toString());
}
}
| .version 52 0
.class public super Main
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 5
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 3 locals 8
L0: new java/util/Scanner
L3: dup
L4: getstatic Field java/lang/System in Ljava/io/InputStream;
L7: invokespecial Method java/util/Scanner <init> (Ljava/io/InputStream;)V
L10: astore_1
L11: new java/lang/StringBuilder
L14: dup
L15: invokespecial Method java/lang/StringBuilder <init> ()V
L18: astore_2
.stack append Object java/util/Scanner Object java/lang/StringBuilder
L19: aload_1
L20: invokevirtual Method java/util/Scanner hasNextLine ()Z
L23: ifeq L157
L26: bipush 120
L28: istore 4
L30: aload_1
L31: invokevirtual Method java/util/Scanner nextInt ()I
L34: istore_3
L35: aload_1
L36: invokevirtual Method java/util/Scanner nextInt ()I
L39: istore 5
L41: aload_1
L42: invokevirtual Method java/util/Scanner nextInt ()I
L45: istore 6
L47: aload_1
L48: invokevirtual Method java/util/Scanner nextInt ()I
L51: istore 7
L53: iload_3
L54: ifne L75
L57: iload 6
L59: ifne L75
L62: iload 5
L64: ifne L75
L67: iload 7
L69: ifne L75
L72: goto L157
.stack full
locals Object [Ljava/lang/String; Object java/util/Scanner Object java/lang/StringBuilder Integer Integer Integer Integer Integer
stack
.end stack
L75: iload 4
L77: iload_3
L78: iload 5
L80: isub
L81: bipush 40
L83: iadd
L84: bipush 40
L86: irem
L87: iadd
L88: istore 4
L90: iload 4
L92: iload 6
L94: iload 5
L96: isub
L97: bipush 40
L99: iadd
L100: bipush 40
L102: irem
L103: iadd
L104: istore 4
L106: iload 4
L108: iload 6
L110: iload 7
L112: isub
L113: bipush 40
L115: iadd
L116: bipush 40
L118: irem
L119: iadd
L120: istore 4
L122: iload 4
L124: bipush 9
L126: imul
L127: istore 4
L129: aload_2
L130: new java/lang/StringBuilder
L133: dup
L134: invokespecial Method java/lang/StringBuilder <init> ()V
L137: iload 4
L139: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L142: ldc '\n'
L144: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L147: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L150: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L153: pop
L154: goto L19
.stack full
locals Object [Ljava/lang/String; Object java/util/Scanner Object java/lang/StringBuilder
stack
.end stack
L157: getstatic Field java/lang/System out Ljava/io/PrintStream;
L160: aload_2
L161: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L164: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L167: return
L168:
.linenumbertable
L0 9
L11 10
L19 12
L26 13
L30 14
L35 15
L41 16
L47 17
L53 18
L72 19
L75 20
L90 21
L106 22
L122 23
L129 24
L157 26
L167 27
.end linenumbertable
.end code
.end method
.sourcefile 'Main.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 18:45:03 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.util.InputMismatchException;
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 Main_ESTest extends Main_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[6];
SystemInUtil.addInputLine("eEH}rihW&^5'E09");
// Undeclared exception!
try {
Main.main(stringArray0);
fail("Expecting exception: InputMismatchException");
} catch(InputMismatchException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("java.util.Scanner", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
String[] stringArray0 = new String[0];
Main.main(stringArray0);
String[] stringArray1 = new String[6];
SystemInUtil.addInputLine("eEH}rihW&^5'E09");
// Undeclared exception!
try {
Main.main(stringArray1);
fail("Expecting exception: InputMismatchException");
} catch(InputMismatchException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("java.util.Scanner", e);
}
}
@Test(timeout = 4000)
public void test2() throws Throwable {
SystemInUtil.addInputLine("3");
SystemInUtil.addInputLine("3");
// Undeclared exception!
try {
Main.main((String[]) null);
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 {
Main main0 = new Main();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 18:45:03 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Main_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Main";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
org.evosuite.runtime.util.SystemInUtil.getInstance().initForTestCase();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp7da7_xcg");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Main_ESTest_scaffolding.class.getClassLoader() ,
"Main"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Main_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Main"
);
}
}
| 1,458 |
Scrabble | class Scrabble {
Scrabble(String word) {
throw new UnsupportedOperationException(
"Delete this statement and write your own implementation.");
}
int getScore() {
throw new UnsupportedOperationException(
"Delete this statement and write your own implementation.");
}
}
| .version 52 0
.class super Scrabble
.super java/lang/Object
.method <init> : (Ljava/lang/String;)V
.code stack 3 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: new java/lang/UnsupportedOperationException
L7: dup
L8: ldc 'Delete this statement and write your own implementation.'
L10: invokespecial Method java/lang/UnsupportedOperationException <init> (Ljava/lang/String;)V
L13: athrow
L14:
.linenumbertable
L0 3
L4 4
.end linenumbertable
.end code
.end method
.method getScore : ()I
.code stack 3 locals 1
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: ldc 'Delete this statement and write your own implementation.'
L6: invokespecial Method java/lang/UnsupportedOperationException <init> (Ljava/lang/String;)V
L9: athrow
L10:
.linenumbertable
L0 8
.end linenumbertable
.end code
.end method
.sourcefile 'Scrabble.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 08:46:01 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 Scrabble_ESTest extends Scrabble_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Scrabble scrabble0 = null;
try {
scrabble0 = new Scrabble("");
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// Delete this statement and write your own implementation.
//
verifyException("Scrabble", e);
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 08:46: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 Scrabble_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 = "Scrabble";
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/tmpk_jy1ab3");
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(Scrabble_ESTest_scaffolding.class.getClassLoader() ,
"Scrabble"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Scrabble_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Scrabble"
);
}
}
| 1,459 |
DbConstants | /*
* Copyright (C) 2011 the original author or authors.
* See the notice.md file distributed with this work for additional
* information regarding copyright ownership.
*
* 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 final class DbConstants {
public static final int MAJOR_VERSION = 0;
public static final int MINOR_VERSION = 1;
// todo this should be part of the configuration
/** Max number of levels */
public static final int NUM_LEVELS = 7;
/** Level-0 compaction is started when we hit this many files. */
public static final int L0_COMPACTION_TRIGGER = 4;
/** Soft limit on number of level-0 files. We slow down writes at this point. */
public static final int L0_SLOWDOWN_WRITES_TRIGGER = 8;
/** Maximum number of level-0 files. We stop writes at this point. */
public static final int L0_STOP_WRITES_TRIGGER = 12;
/**
* Maximum level to which a new compacted memtable is pushed if it does not create overlap. We try
* to push to level 2 to avoid the relatively expensive level 0=>1 compactions and to avoid some
* expensive manifest file operations. We do not push all the way to the largest level since that
* can generate a lot of wasted disk space if the same key space is being repeatedly overwritten.
*/
public static final int MAX_MEM_COMPACT_LEVEL = 2;
private DbConstants() {}
}
| .version 52 0
.class public final super DbConstants
.super java/lang/Object
.field public static final MAJOR_VERSION I = 0
.field public static final MINOR_VERSION I = 1
.field public static final NUM_LEVELS I = 7
.field public static final L0_COMPACTION_TRIGGER I = 4
.field public static final L0_SLOWDOWN_WRITES_TRIGGER I = 8
.field public static final L0_STOP_WRITES_TRIGGER I = 12
.field public static final MAX_MEM_COMPACT_LEVEL I = 2
.method private <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 58
L4 59
.end linenumbertable
.end code
.end method
.sourcefile 'DbConstants.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 15:57: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 DbConstants_ESTest extends DbConstants_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 15:57:29 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 DbConstants_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 = "DbConstants";
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(DbConstants_ESTest_scaffolding.class.getClassLoader() ,
"DbConstants"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DbConstants_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"DbConstants"
);
}
}
| 1,460 |
Skein512Small | // -----BEGIN DISCLAIMER-----
/*******************************************************************************
* Copyright (c) 2011, 2021 JCrypTool Team and Contributors
*
* 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
*******************************************************************************/
// -----END DISCLAIMER-----
public class Skein512Small {
public static void hash(byte[] m, byte[] h) {
long[] c = new long[9], t = new long[] {32, 0xc4L << 56, 0};
byte[] b = new byte[64], d = "ND3EAJ.;1QDGLXV)G>B8-1*R9=GK(6XC".getBytes();
System.arraycopy("SHA3\1\0\0\0\0\2".getBytes(), 0, b, 0, 10);
block(c, t, b, 0, d);
t[0] = 0;
t[1] = 0x70L << 56;
for (; t[0] < m.length - 64; t[1] = 0x30L << 56) block(c, t, m, (int) (t[0] += 64) - 64, d);
System.arraycopy(m, (int) t[0], b = new byte[64], 0, m.length - (int) t[0]);
t[0] = m.length;
t[1] |= 0x80L << 56;
block(c, t, b, 0, d);
t[0] = 8;
t[1] = 0xffL << 56;
block(c, t, new byte[64], 0, d);
for (int i = 0; i < 64; i++) h[i] = (byte) (c[i / 8] >> (i & 7) * 8);
}
private static void block(long[] c, long[] t, byte[] b, int o, byte[] d) {
long[] x = new long[8], k = new long[8];
c[8] = 0x5555555555555555L;
for (int i = 0; i < 8; x[i] = k[i] + c[i], c[8] ^= c[i], i++)
for (int j = 7; j >= 0; j--) k[i] = (k[i] << 8) + (b[o + i * 8 + j] & 255);
x[5] += t[0];
x[6] += t[1];
t[2] = t[0] ^ t[1];
for (int r = 1, p = 0; r <= 18; r++, p ^= 16) {
for (int i = 0; i < 16; i++) {
int m = 2 * ((i + (1 + i + i) * (i / 4)) & 3);
int n = (1 + i + i) & 7, s = d[p + i] - 32;
x[n] = ((x[n] << s) | (x[n] >>> (64 - s))) ^ (x[m] += x[n]);
}
for (int i = 0; i < 8; i++) x[i] += c[(r + i) % 9];
x[5] += t[r % 3];
x[6] += t[(r + 1) % 3];
x[7] += r;
}
for (int i = 0; i < 8; i++) c[i] = k[i] ^ x[i];
}
}
| .version 52 0
.class public super Skein512Small
.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 hash : ([B[B)V
.code stack 9 locals 7
L0: bipush 9
L2: newarray long
L4: astore_2
L5: iconst_3
L6: newarray long
L8: dup
L9: iconst_0
L10: ldc2_w 32L
L13: lastore
L14: dup
L15: iconst_1
L16: ldc2_w -4323455642275676160L
L19: lastore
L20: dup
L21: iconst_2
L22: lconst_0
L23: lastore
L24: astore_3
L25: bipush 64
L27: newarray byte
L29: astore 4
L31: ldc 'ND3EAJ.;1QDGLXV)G>B8-1*R9=GK(6XC'
L33: invokevirtual Method java/lang/String getBytes ()[B
L36: astore 5
L38: ldc 'SHA3\x01\x00\x00\x00\x00\x02'
L40: invokevirtual Method java/lang/String getBytes ()[B
L43: iconst_0
L44: aload 4
L46: iconst_0
L47: bipush 10
L49: invokestatic Method java/lang/System arraycopy (Ljava/lang/Object;ILjava/lang/Object;II)V
L52: aload_2
L53: aload_3
L54: aload 4
L56: iconst_0
L57: aload 5
L59: invokestatic Method Skein512Small block ([J[J[BI[B)V
L62: aload_3
L63: iconst_0
L64: lconst_0
L65: lastore
L66: aload_3
L67: iconst_1
L68: ldc2_w 8070450532247928832L
L71: lastore
.stack full
locals Object [B Object [B Object [J Object [J Object [B Object [B
stack
.end stack
L72: aload_3
L73: iconst_0
L74: laload
L75: aload_0
L76: arraylength
L77: bipush 64
L79: isub
L80: i2l
L81: lcmp
L82: ifge L116
L85: aload_2
L86: aload_3
L87: aload_0
L88: aload_3
L89: iconst_0
L90: dup2
L91: laload
L92: ldc2_w 64L
L95: ladd
L96: dup2_x2
L97: lastore
L98: l2i
L99: bipush 64
L101: isub
L102: aload 5
L104: invokestatic Method Skein512Small block ([J[J[BI[B)V
L107: aload_3
L108: iconst_1
L109: ldc2_w 3458764513820540928L
L112: lastore
L113: goto L72
.stack same
L116: aload_0
L117: aload_3
L118: iconst_0
L119: laload
L120: l2i
L121: bipush 64
L123: newarray byte
L125: dup
L126: astore 4
L128: iconst_0
L129: aload_0
L130: arraylength
L131: aload_3
L132: iconst_0
L133: laload
L134: l2i
L135: isub
L136: invokestatic Method java/lang/System arraycopy (Ljava/lang/Object;ILjava/lang/Object;II)V
L139: aload_3
L140: iconst_0
L141: aload_0
L142: arraylength
L143: i2l
L144: lastore
L145: aload_3
L146: iconst_1
L147: dup2
L148: laload
L149: ldc2_w -9223372036854775808L
L152: lor
L153: lastore
L154: aload_2
L155: aload_3
L156: aload 4
L158: iconst_0
L159: aload 5
L161: invokestatic Method Skein512Small block ([J[J[BI[B)V
L164: aload_3
L165: iconst_0
L166: ldc2_w 8L
L169: lastore
L170: aload_3
L171: iconst_1
L172: ldc2_w -72057594037927936L
L175: lastore
L176: aload_2
L177: aload_3
L178: bipush 64
L180: newarray byte
L182: iconst_0
L183: aload 5
L185: invokestatic Method Skein512Small block ([J[J[BI[B)V
L188: iconst_0
L189: istore 6
.stack append Integer
L191: iload 6
L193: bipush 64
L195: if_icmpge L226
L198: aload_1
L199: iload 6
L201: aload_2
L202: iload 6
L204: bipush 8
L206: idiv
L207: laload
L208: iload 6
L210: bipush 7
L212: iand
L213: bipush 8
L215: imul
L216: lshr
L217: l2i
L218: i2b
L219: bastore
L220: iinc 6 1
L223: goto L191
.stack chop 1
L226: return
L227:
.linenumbertable
L0 14
L25 15
L38 16
L52 17
L62 18
L66 19
L72 20
L85 21
L107 20
L116 22
L139 23
L145 24
L154 25
L164 26
L170 27
L176 28
L188 29
L198 30
L220 29
L226 31
.end linenumbertable
.end code
.end method
.method private static block : ([J[J[BI[B)V
.code stack 10 locals 13
L0: bipush 8
L2: newarray long
L4: astore 5
L6: bipush 8
L8: newarray long
L10: astore 6
L12: aload_0
L13: bipush 8
L15: ldc2_w 6148914691236517205L
L18: lastore
L19: iconst_0
L20: istore 7
.stack append Object [J Object [J Integer
L22: iload 7
L24: bipush 8
L26: if_icmpge L107
L29: bipush 7
L31: istore 8
.stack append Integer
L33: iload 8
L35: iflt L75
L38: aload 6
L40: iload 7
L42: aload 6
L44: iload 7
L46: laload
L47: bipush 8
L49: lshl
L50: aload_2
L51: iload_3
L52: iload 7
L54: bipush 8
L56: imul
L57: iadd
L58: iload 8
L60: iadd
L61: baload
L62: sipush 255
L65: iand
L66: i2l
L67: ladd
L68: lastore
L69: iinc 8 -1
L72: goto L33
.stack chop 1
L75: aload 5
L77: iload 7
L79: aload 6
L81: iload 7
L83: laload
L84: aload_0
L85: iload 7
L87: laload
L88: ladd
L89: lastore
L90: aload_0
L91: bipush 8
L93: dup2
L94: laload
L95: aload_0
L96: iload 7
L98: laload
L99: lxor
L100: lastore
L101: iinc 7 1
L104: goto L22
.stack chop 1
L107: aload 5
L109: iconst_5
L110: dup2
L111: laload
L112: aload_1
L113: iconst_0
L114: laload
L115: ladd
L116: lastore
L117: aload 5
L119: bipush 6
L121: dup2
L122: laload
L123: aload_1
L124: iconst_1
L125: laload
L126: ladd
L127: lastore
L128: aload_1
L129: iconst_2
L130: aload_1
L131: iconst_0
L132: laload
L133: aload_1
L134: iconst_1
L135: laload
L136: lxor
L137: lastore
L138: iconst_1
L139: istore 7
L141: iconst_0
L142: istore 8
.stack append Integer Integer
L144: iload 7
L146: bipush 18
L148: if_icmpgt L340
L151: iconst_0
L152: istore 9
.stack append Integer
L154: iload 9
L156: bipush 16
L158: if_icmpge L253
L161: iconst_2
L162: iload 9
L164: iconst_1
L165: iload 9
L167: iadd
L168: iload 9
L170: iadd
L171: iload 9
L173: iconst_4
L174: idiv
L175: imul
L176: iadd
L177: iconst_3
L178: iand
L179: imul
L180: istore 10
L182: iconst_1
L183: iload 9
L185: iadd
L186: iload 9
L188: iadd
L189: bipush 7
L191: iand
L192: istore 11
L194: aload 4
L196: iload 8
L198: iload 9
L200: iadd
L201: baload
L202: bipush 32
L204: isub
L205: istore 12
L207: aload 5
L209: iload 11
L211: aload 5
L213: iload 11
L215: laload
L216: iload 12
L218: lshl
L219: aload 5
L221: iload 11
L223: laload
L224: bipush 64
L226: iload 12
L228: isub
L229: lushr
L230: lor
L231: aload 5
L233: iload 10
L235: dup2
L236: laload
L237: aload 5
L239: iload 11
L241: laload
L242: ladd
L243: dup2_x2
L244: lastore
L245: lxor
L246: lastore
L247: iinc 9 1
L250: goto L154
.stack chop 1
L253: iconst_0
L254: istore 9
.stack append Integer
L256: iload 9
L258: bipush 8
L260: if_icmpge L287
L263: aload 5
L265: iload 9
L267: dup2
L268: laload
L269: aload_0
L270: iload 7
L272: iload 9
L274: iadd
L275: bipush 9
L277: irem
L278: laload
L279: ladd
L280: lastore
L281: iinc 9 1
L284: goto L256
.stack chop 1
L287: aload 5
L289: iconst_5
L290: dup2
L291: laload
L292: aload_1
L293: iload 7
L295: iconst_3
L296: irem
L297: laload
L298: ladd
L299: lastore
L300: aload 5
L302: bipush 6
L304: dup2
L305: laload
L306: aload_1
L307: iload 7
L309: iconst_1
L310: iadd
L311: iconst_3
L312: irem
L313: laload
L314: ladd
L315: lastore
L316: aload 5
L318: bipush 7
L320: dup2
L321: laload
L322: iload 7
L324: i2l
L325: ladd
L326: lastore
L327: iinc 7 1
L330: iload 8
L332: bipush 16
L334: ixor
L335: istore 8
L337: goto L144
.stack chop 2
L340: iconst_0
L341: istore 7
.stack append Integer
L343: iload 7
L345: bipush 8
L347: if_icmpge L371
L350: aload_0
L351: iload 7
L353: aload 6
L355: iload 7
L357: laload
L358: aload 5
L360: iload 7
L362: laload
L363: lxor
L364: lastore
L365: iinc 7 1
L368: goto L343
.stack chop 1
L371: return
L372:
.linenumbertable
L0 34
L12 35
L19 36
L29 37
L38 38
L69 37
L75 36
L107 39
L117 40
L128 41
L138 42
L151 43
L161 44
L182 45
L207 46
L247 43
L253 48
L263 49
L281 48
L287 50
L300 51
L316 52
L327 42
L340 54
L350 55
L365 54
L371 56
.end linenumbertable
.end code
.end method
.sourcefile 'Skein512Small.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 15:32:00 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 Skein512Small_ESTest extends Skein512Small_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
byte[] byteArray0 = new byte[3];
byteArray0[0] = (byte)4;
byteArray0[1] = (byte) (-40);
byteArray0[2] = (byte) (-15);
// Undeclared exception!
try {
Skein512Small.hash(byteArray0, byteArray0);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 3
//
verifyException("Skein512Small", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
byte[] byteArray0 = new byte[0];
byte[] byteArray1 = new byte[1];
byte byte0 = (byte) (-121);
byteArray1[0] = (byte) (-121);
// Undeclared exception!
try {
Skein512Small.hash(byteArray0, byteArray1);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 1
//
verifyException("Skein512Small", e);
}
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Skein512Small skein512Small0 = new Skein512Small();
byte[] byteArray0 = new byte[3];
byteArray0[0] = (byte) (-101);
byteArray0[1] = (byte)65;
byteArray0[2] = (byte)0;
// Undeclared exception!
try {
Skein512Small.hash(byteArray0, byteArray0);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 3
//
verifyException("Skein512Small", e);
}
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Skein512Small skein512Small0 = new Skein512Small();
byte[] byteArray0 = new byte[7];
byteArray0[0] = (byte) (-127);
byteArray0[1] = (byte)0;
byteArray0[2] = (byte)76;
byteArray0[3] = (byte)0;
byteArray0[4] = (byte)84;
byteArray0[5] = (byte) (-46);
byteArray0[6] = (byte)43;
byte[] byteArray1 = new byte[6];
byteArray1[0] = (byte)0;
byteArray1[1] = (byte)0;
byteArray1[2] = (byte)67;
byteArray1[3] = (byte)84;
byteArray1[4] = (byte) (-127);
byteArray1[5] = (byte)76;
// Undeclared exception!
try {
Skein512Small.hash(byteArray0, byteArray1);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 6
//
verifyException("Skein512Small", e);
}
}
@Test(timeout = 4000)
public void test4() throws Throwable {
byte[] byteArray0 = new byte[6];
byte byte0 = (byte)1;
byteArray0[0] = (byte)1;
byteArray0[1] = (byte)68;
byte byte1 = (byte) (-90);
byteArray0[2] = (byte) (-90);
byte byte2 = (byte) (-1);
byteArray0[3] = (byte) (-1);
byteArray0[4] = (byte)36;
byteArray0[5] = (byte) (-68);
// Undeclared exception!
try {
Skein512Small.hash(byteArray0, byteArray0);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 6
//
verifyException("Skein512Small", e);
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 15:32: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 Skein512Small_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 = "Skein512Small";
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/tmp00sf08mf");
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(Skein512Small_ESTest_scaffolding.class.getClassLoader() ,
"Skein512Small"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Skein512Small_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Skein512Small"
);
}
}
| 1,461 |
Timer | import java.text.DecimalFormat;
public class Timer {
private static final DecimalFormat FMT_SEC = new DecimalFormat("#,##0.000");
private static final DecimalFormat FMT_INT = new DecimalFormat("#,##0");
private static final DecimalFormat FMT_DEC = new DecimalFormat("#,##0.000");
private static final long MILLIS_PER_HOUR = 3600000L;
private static final long MILLIS_PER_MIN = 60000L;
private static final double MILLIS_PER_SEC = 1000.0;
private long start;
private String obj;
private String objs;
private void resetTimer() {
start = System.currentTimeMillis();
}
public Timer() {
resetTimer();
}
public Timer(String obj, String objs) {
this();
this.obj = obj;
this.objs = objs;
}
public void reset() {
resetTimer();
}
private String milliString(long duration) {
return String.format("%sms", FMT_INT.format(duration));
}
private String durationString(long duration) {
long millis = duration;
long hours = millis / MILLIS_PER_HOUR;
millis -= hours * MILLIS_PER_HOUR;
long minutes = millis / MILLIS_PER_MIN;
millis -= minutes * MILLIS_PER_MIN;
double seconds = millis / MILLIS_PER_SEC;
if (hours > 0) {
return String.format("%dh %dm %ss", hours, minutes, FMT_SEC.format(seconds));
}
if (minutes > 0) {
return String.format("%dm %ss", minutes, FMT_SEC.format(seconds));
}
if (millis > MILLIS_PER_SEC) {
return String.format("%ss", FMT_SEC.format(seconds));
}
return milliString(millis);
}
public String time() {
return durationString(System.currentTimeMillis() - start);
}
public String millis() {
return milliString(System.currentTimeMillis() - start);
}
public String frequency(long count) {
long duration = System.currentTimeMillis() - start;
double freq = (count * MILLIS_PER_SEC) / ((duration) * 1.0);
return String.format(
"%s %s in %s at %s%s/s",
FMT_INT.format(count),
count == 1 ? obj : objs,
durationString(duration),
FMT_DEC.format((count * MILLIS_PER_SEC) / ((duration) * 1.0)),
freq == 1.0 ? obj : objs);
}
}
| .version 52 0
.class public super Timer
.super java/lang/Object
.field private static final FMT_SEC Ljava/text/DecimalFormat;
.field private static final FMT_INT Ljava/text/DecimalFormat;
.field private static final FMT_DEC Ljava/text/DecimalFormat;
.field private static final MILLIS_PER_HOUR J = 3600000L
.field private static final MILLIS_PER_MIN J = 60000L
.field private static final MILLIS_PER_SEC D = +1000.0
.field private start J
.field private obj Ljava/lang/String;
.field private objs Ljava/lang/String;
.method private resetTimer : ()V
.code stack 3 locals 1
L0: aload_0
L1: invokestatic Method java/lang/System currentTimeMillis ()J
L4: putfield Field Timer start J
L7: return
L8:
.linenumbertable
L0 21
L7 22
.end linenumbertable
.end code
.end method
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: invokespecial Method Timer resetTimer ()V
L8: return
L9:
.linenumbertable
L0 25
L4 26
L8 27
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;Ljava/lang/String;)V
.code stack 2 locals 3
L0: aload_0
L1: invokespecial Method Timer <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field Timer obj Ljava/lang/String;
L9: aload_0
L10: aload_2
L11: putfield Field Timer objs Ljava/lang/String;
L14: return
L15:
.linenumbertable
L0 31
L4 32
L9 33
L14 34
.end linenumbertable
.end code
.end method
.method public reset : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method Timer resetTimer ()V
L4: return
L5:
.linenumbertable
L0 38
L4 39
.end linenumbertable
.end code
.end method
.method private milliString : (J)Ljava/lang/String;
.code stack 7 locals 3
L0: ldc '%sms'
L2: iconst_1
L3: anewarray java/lang/Object
L6: dup
L7: iconst_0
L8: getstatic Field Timer FMT_INT Ljava/text/DecimalFormat;
L11: lload_1
L12: invokevirtual Method java/text/DecimalFormat format (J)Ljava/lang/String;
L15: aastore
L16: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String;
L19: areturn
L20:
.linenumbertable
L0 43
.end linenumbertable
.end code
.end method
.method private durationString : (J)Ljava/lang/String;
.code stack 7 locals 11
L0: lload_1
L1: lstore_3
L2: lload_3
L3: ldc2_w 3600000L
L6: ldiv
L7: lstore 5
L9: lload_3
L10: lload 5
L12: ldc2_w 3600000L
L15: lmul
L16: lsub
L17: lstore_3
L18: lload_3
L19: ldc2_w 60000L
L22: ldiv
L23: lstore 7
L25: lload_3
L26: lload 7
L28: ldc2_w 60000L
L31: lmul
L32: lsub
L33: lstore_3
L34: lload_3
L35: l2d
L36: ldc2_w +1000.0
L39: ddiv
L40: dstore 9
L42: lload 5
L44: lconst_0
L45: lcmp
L46: ifle L86
L49: ldc '%dh %dm %ss'
L51: iconst_3
L52: anewarray java/lang/Object
L55: dup
L56: iconst_0
L57: lload 5
L59: invokestatic Method java/lang/Long valueOf (J)Ljava/lang/Long;
L62: aastore
L63: dup
L64: iconst_1
L65: lload 7
L67: invokestatic Method java/lang/Long valueOf (J)Ljava/lang/Long;
L70: aastore
L71: dup
L72: iconst_2
L73: getstatic Field Timer FMT_SEC Ljava/text/DecimalFormat;
L76: dload 9
L78: invokevirtual Method java/text/DecimalFormat format (D)Ljava/lang/String;
L81: aastore
L82: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String;
L85: areturn
.stack full
locals Object Timer Long Long Long Long Double
stack
.end stack
L86: lload 7
L88: lconst_0
L89: lcmp
L90: ifle L122
L93: ldc '%dm %ss'
L95: iconst_2
L96: anewarray java/lang/Object
L99: dup
L100: iconst_0
L101: lload 7
L103: invokestatic Method java/lang/Long valueOf (J)Ljava/lang/Long;
L106: aastore
L107: dup
L108: iconst_1
L109: getstatic Field Timer FMT_SEC Ljava/text/DecimalFormat;
L112: dload 9
L114: invokevirtual Method java/text/DecimalFormat format (D)Ljava/lang/String;
L117: aastore
L118: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String;
L121: areturn
.stack same
L122: lload_3
L123: l2d
L124: ldc2_w +1000.0
L127: dcmpl
L128: ifle L152
L131: ldc '%ss'
L133: iconst_1
L134: anewarray java/lang/Object
L137: dup
L138: iconst_0
L139: getstatic Field Timer FMT_SEC Ljava/text/DecimalFormat;
L142: dload 9
L144: invokevirtual Method java/text/DecimalFormat format (D)Ljava/lang/String;
L147: aastore
L148: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String;
L151: areturn
.stack same
L152: aload_0
L153: lload_3
L154: invokespecial Method Timer milliString (J)Ljava/lang/String;
L157: areturn
L158:
.linenumbertable
L0 48
L2 49
L9 50
L18 51
L25 52
L34 53
L42 55
L49 56
L86 59
L93 60
L122 63
L131 64
L152 67
.end linenumbertable
.end code
.end method
.method public time : ()Ljava/lang/String;
.code stack 5 locals 1
L0: aload_0
L1: invokestatic Method java/lang/System currentTimeMillis ()J
L4: aload_0
L5: getfield Field Timer start J
L8: lsub
L9: invokespecial Method Timer durationString (J)Ljava/lang/String;
L12: areturn
L13:
.linenumbertable
L0 72
.end linenumbertable
.end code
.end method
.method public millis : ()Ljava/lang/String;
.code stack 5 locals 1
L0: aload_0
L1: invokestatic Method java/lang/System currentTimeMillis ()J
L4: aload_0
L5: getfield Field Timer start J
L8: lsub
L9: invokespecial Method Timer milliString (J)Ljava/lang/String;
L12: areturn
L13:
.linenumbertable
L0 77
.end linenumbertable
.end code
.end method
.method public frequency : (J)Ljava/lang/String;
.code stack 11 locals 7
L0: invokestatic Method java/lang/System currentTimeMillis ()J
L3: aload_0
L4: getfield Field Timer start J
L7: lsub
L8: lstore_3
L9: lload_1
L10: l2d
L11: ldc2_w +1000.0
L14: dmul
L15: lload_3
L16: l2d
L17: dconst_1
L18: dmul
L19: ddiv
L20: dstore 5
L22: ldc '%s %s in %s at %s%s/s'
L24: iconst_5
L25: anewarray java/lang/Object
L28: dup
L29: iconst_0
L30: getstatic Field Timer FMT_INT Ljava/text/DecimalFormat;
L33: lload_1
L34: invokevirtual Method java/text/DecimalFormat format (J)Ljava/lang/String;
L37: aastore
L38: dup
L39: iconst_1
L40: lload_1
L41: lconst_1
L42: lcmp
L43: ifne L53
L46: aload_0
L47: getfield Field Timer obj Ljava/lang/String;
L50: goto L57
.stack full
locals Object Timer Long Long Double
stack Object java/lang/String Object [Ljava/lang/Object; Object [Ljava/lang/Object; Integer
.end stack
L53: aload_0
L54: getfield Field Timer objs Ljava/lang/String;
.stack full
locals Object Timer Long Long Double
stack Object java/lang/String Object [Ljava/lang/Object; Object [Ljava/lang/Object; Integer Object java/lang/Object
.end stack
L57: aastore
L58: dup
L59: iconst_2
L60: aload_0
L61: lload_3
L62: invokespecial Method Timer durationString (J)Ljava/lang/String;
L65: aastore
L66: dup
L67: iconst_3
L68: getstatic Field Timer FMT_DEC Ljava/text/DecimalFormat;
L71: lload_1
L72: l2d
L73: ldc2_w +1000.0
L76: dmul
L77: lload_3
L78: l2d
L79: dconst_1
L80: dmul
L81: ddiv
L82: invokevirtual Method java/text/DecimalFormat format (D)Ljava/lang/String;
L85: aastore
L86: dup
L87: iconst_4
L88: dload 5
L90: dconst_1
L91: dcmpl
L92: ifne L102
L95: aload_0
L96: getfield Field Timer obj Ljava/lang/String;
L99: goto L106
.stack full
locals Object Timer Long Long Double
stack Object java/lang/String Object [Ljava/lang/Object; Object [Ljava/lang/Object; Integer
.end stack
L102: aload_0
L103: getfield Field Timer objs Ljava/lang/String;
.stack full
locals Object Timer Long Long Double
stack Object java/lang/String Object [Ljava/lang/Object; Object [Ljava/lang/Object; Integer Object java/lang/Object
.end stack
L106: aastore
L107: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String;
L110: areturn
L111:
.linenumbertable
L0 82
L9 83
L22 85
L34 87
L62 89
L82 90
L107 85
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 3 locals 0
L0: new java/text/DecimalFormat
L3: dup
L4: ldc '#,##0.000'
L6: invokespecial Method java/text/DecimalFormat <init> (Ljava/lang/String;)V
L9: putstatic Field Timer FMT_SEC Ljava/text/DecimalFormat;
L12: new java/text/DecimalFormat
L15: dup
L16: ldc '#,##0'
L18: invokespecial Method java/text/DecimalFormat <init> (Ljava/lang/String;)V
L21: putstatic Field Timer FMT_INT Ljava/text/DecimalFormat;
L24: new java/text/DecimalFormat
L27: dup
L28: ldc '#,##0.000'
L30: invokespecial Method java/text/DecimalFormat <init> (Ljava/lang/String;)V
L33: putstatic Field Timer FMT_DEC Ljava/text/DecimalFormat;
L36: return
L37:
.linenumbertable
L0 7
L12 8
L24 9
.end linenumbertable
.end code
.end method
.sourcefile 'Timer.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 17:41: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 Timer_ESTest extends Timer_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Timer timer0 = new Timer();
timer0.frequency(1L);
timer0.frequency(51928L);
timer0.time();
timer0.millis();
timer0.reset();
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Timer timer0 = new Timer("#,##0.000", "%dm %ss");
String string0 = timer0.frequency(1L);
assertEquals("1 #,##0.000 in 0ms at \u221E%dm %ss/s", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Timer timer0 = new Timer("#,##0.000", "%dm %ss");
String string0 = timer0.frequency((-2419L));
assertEquals("-2,419 %dm %ss in 0ms at -\u221E%dm %ss/s", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 17:41: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 Timer_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 = "Timer";
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/tmpnh884hvg");
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(Timer_ESTest_scaffolding.class.getClassLoader() ,
"Timer"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Timer_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Timer"
);
}
}
| 1,462 |
Person | import java.io.Serializable;
public class Person implements Serializable {
/** */
private static final long serialVersionUID = 1L;
private int age;
private String name;
public int getAge() {
return age;
}
public void setAge(int age) {
this.age = age;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
}
| .version 52 0
.class public super Person
.super java/lang/Object
.implements java/io/Serializable
.field private static final serialVersionUID J = 1L
.field private age I
.field private name Ljava/lang/String;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 4
.end linenumbertable
.end code
.end method
.method public getAge : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Person age I
L4: ireturn
L5:
.linenumbertable
L0 15
.end linenumbertable
.end code
.end method
.method public setAge : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field Person age I
L5: return
L6:
.linenumbertable
L0 19
L5 20
.end linenumbertable
.end code
.end method
.method public getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Person name Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 23
.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 Person name Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 27
L5 28
.end linenumbertable
.end code
.end method
.sourcefile 'Person.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 17:16:53 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 Person_ESTest extends Person_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Person person0 = new Person();
person0.setName("N3Ps4t(|564;d5NV");
String string0 = person0.getName();
assertEquals("N3Ps4t(|564;d5NV", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Person person0 = new Person();
person0.setAge((-43059));
int int0 = person0.getAge();
assertEquals((-43059), int0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Person person0 = new Person();
int int0 = person0.getAge();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Person person0 = new Person();
person0.setName("");
String string0 = person0.getName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Person person0 = new Person();
String string0 = person0.getName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Person person0 = new Person();
person0.setAge(29543);
int int0 = person0.getAge();
assertEquals(29543, int0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 17:16:53 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Person_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 = "Person";
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/tmpc8nlt1me");
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(Person_ESTest_scaffolding.class.getClassLoader() ,
"Person"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Person_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Person"
);
}
}
| 1,463 |
InventoryException | /*
This file is part of the OdinMS Maple Story Server
Copyright (C) 2008 Patrick Huy <[email protected]>
Matthias Butz <[email protected]>
Jan Christian Meyer <[email protected]>
This program is free software: you can redistribute it and/or modify
it under the terms of the GNU Affero General Public License version 3
as published by the Free Software Foundation. You may not use, modify
or distribute this program under any other version of the
GNU Affero General Public License.
This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU Affero General Public License for more details.
You should have received a copy of the GNU Affero General Public License
along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
/*
* InventoryException.java
*
* Created on 26. November 2007, 15:39
*
* To change this template, choose Tools | Template Manager
* and open the template in the editor.
*/
/**
* @author Matze
*/
public class InventoryException extends RuntimeException {
private static final long serialVersionUID = 1L;
/** Creates a new instance of InventoryException */
public InventoryException() {
super();
}
public InventoryException(String msg) {
super(msg);
}
}
| .version 52 0
.class public super InventoryException
.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 42
L4 43
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V
L5: return
L6:
.linenumbertable
L0 46
L5 47
.end linenumbertable
.end code
.end method
.sourcefile 'InventoryException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 11:08: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 InventoryException_ESTest extends InventoryException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
InventoryException inventoryException0 = new InventoryException("");
}
@Test(timeout = 4000)
public void test1() throws Throwable {
InventoryException inventoryException0 = new InventoryException();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 11:08: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 InventoryException_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 = "InventoryException";
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/tmpn5r97xc_");
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(InventoryException_ESTest_scaffolding.class.getClassLoader() ,
"InventoryException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(InventoryException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"InventoryException"
);
}
}
| 1,464 |
Trace | /**
* Copyright (C) 2014-2016 LinkedIn Corp. ([email protected])
*
* <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.util.ArrayList;
import java.util.List;
import java.util.concurrent.atomic.AtomicInteger;
/**
* Trace maintains all trace logs for a specific Runnable or Callable job.
*
* <p>It is not thread-safe, so should be protected by a {@link ThreadLocal}.
*/
public class Trace {
private final AtomicInteger traceIdGen = new AtomicInteger(0);
private String _traceId;
private List<String> _key = new ArrayList<String>();
private List<Object> _value = new ArrayList<Object>();
private Long _threadId;
protected final Trace _parent;
protected final List<Trace> _children = new ArrayList<Trace>();
public Trace(Long threadId, Trace parent) {
_threadId = threadId;
_parent = parent;
if (parent == null) {
_traceId = "0";
} else {
_traceId = parent._traceId + "_" + parent.traceIdGen.getAndIncrement();
}
}
public void log(String key, Object value) {
_key.add(key);
_value.add(value);
}
public List<Object> getValue() {
return _value;
}
public List<String> getKey() {
return _key;
}
@Override
public String toString() {
StringBuilder sb = new StringBuilder();
sb.append("{\"" + _traceId + "\": [");
for (int i = 0; i < _key.size(); i++) {
if (i > 0) {
sb.append(", ");
}
sb.append("{ \"");
sb.append(_key.get(i));
sb.append("\"");
sb.append(": ");
sb.append("\"");
sb.append(_value.get(i));
sb.append("\" }");
}
sb.append("] }");
return sb.toString();
}
public String getTraceTree(StringBuilder sb, int level) {
// a tree-style trace graph
for (int i = 0; i < level; i++) {
sb.append("--> ");
}
sb.append("[TID: " + _threadId + "] ");
sb.append(toString());
sb.append("\n");
for (Trace child : _children) {
child.getTraceTree(sb, level + 1);
}
return sb.toString();
}
}
| .version 52 0
.class public super Trace
.super java/lang/Object
.field private final traceIdGen Ljava/util/concurrent/atomic/AtomicInteger;
.field private _traceId Ljava/lang/String;
.field private _key Ljava/util/List; .fieldattributes
.signature Ljava/util/List<Ljava/lang/String;>;
.end fieldattributes
.field private _value Ljava/util/List; .fieldattributes
.signature Ljava/util/List<Ljava/lang/Object;>;
.end fieldattributes
.field private _threadId Ljava/lang/Long;
.field protected final _parent LTrace;
.field protected final _children Ljava/util/List; .fieldattributes
.signature Ljava/util/List<LTrace;>;
.end fieldattributes
.method public <init> : (Ljava/lang/Long;LTrace;)V
.code stack 4 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: new java/util/concurrent/atomic/AtomicInteger
L8: dup
L9: iconst_0
L10: invokespecial Method java/util/concurrent/atomic/AtomicInteger <init> (I)V
L13: putfield Field Trace traceIdGen Ljava/util/concurrent/atomic/AtomicInteger;
L16: aload_0
L17: new java/util/ArrayList
L20: dup
L21: invokespecial Method java/util/ArrayList <init> ()V
L24: putfield Field Trace _key Ljava/util/List;
L27: aload_0
L28: new java/util/ArrayList
L31: dup
L32: invokespecial Method java/util/ArrayList <init> ()V
L35: putfield Field Trace _value Ljava/util/List;
L38: aload_0
L39: new java/util/ArrayList
L42: dup
L43: invokespecial Method java/util/ArrayList <init> ()V
L46: putfield Field Trace _children Ljava/util/List;
L49: aload_0
L50: aload_1
L51: putfield Field Trace _threadId Ljava/lang/Long;
L54: aload_0
L55: aload_2
L56: putfield Field Trace _parent LTrace;
L59: aload_2
L60: ifnonnull L72
L63: aload_0
L64: ldc '0'
L66: putfield Field Trace _traceId Ljava/lang/String;
L69: goto L108
.stack full
locals Object Trace Object java/lang/Long Object Trace
stack
.end stack
L72: aload_0
L73: new java/lang/StringBuilder
L76: dup
L77: invokespecial Method java/lang/StringBuilder <init> ()V
L80: aload_2
L81: getfield Field Trace _traceId Ljava/lang/String;
L84: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L87: ldc '_'
L89: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L92: aload_2
L93: getfield Field Trace traceIdGen Ljava/util/concurrent/atomic/AtomicInteger;
L96: invokevirtual Method java/util/concurrent/atomic/AtomicInteger getAndIncrement ()I
L99: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L102: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L105: putfield Field Trace _traceId Ljava/lang/String;
.stack same
L108: return
L109:
.linenumbertable
L0 37
L4 28
L16 31
L27 32
L38 35
L49 38
L54 39
L59 40
L63 41
L72 43
L108 45
.end linenumbertable
.end code
.end method
.method public log : (Ljava/lang/String;Ljava/lang/Object;)V
.code stack 2 locals 3
L0: aload_0
L1: getfield Field Trace _key Ljava/util/List;
L4: aload_1
L5: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L10: pop
L11: aload_0
L12: getfield Field Trace _value Ljava/util/List;
L15: aload_2
L16: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L21: pop
L22: return
L23:
.linenumbertable
L0 48
L11 49
L22 50
.end linenumbertable
.end code
.end method
.method public getValue : ()Ljava/util/List;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Trace _value Ljava/util/List;
L4: areturn
L5:
.linenumbertable
L0 53
.end linenumbertable
.end code
.signature ()Ljava/util/List<Ljava/lang/Object;>;
.end method
.method public getKey : ()Ljava/util/List;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Trace _key Ljava/util/List;
L4: areturn
L5:
.linenumbertable
L0 57
.end linenumbertable
.end code
.signature ()Ljava/util/List<Ljava/lang/String;>;
.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: astore_1
L8: aload_1
L9: new java/lang/StringBuilder
L12: dup
L13: invokespecial Method java/lang/StringBuilder <init> ()V
L16: ldc '{"'
L18: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L21: aload_0
L22: getfield Field Trace _traceId Ljava/lang/String;
L25: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L28: ldc '": ['
L30: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L33: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L36: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L39: pop
L40: iconst_0
L41: istore_2
.stack append Object java/lang/StringBuilder Integer
L42: iload_2
L43: aload_0
L44: getfield Field Trace _key Ljava/util/List;
L47: invokeinterface InterfaceMethod java/util/List size ()I 1
L52: if_icmpge L140
L55: iload_2
L56: ifle L66
L59: aload_1
L60: ldc ', '
L62: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L65: pop
.stack same
L66: aload_1
L67: ldc '{ "'
L69: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L72: pop
L73: aload_1
L74: aload_0
L75: getfield Field Trace _key Ljava/util/List;
L78: iload_2
L79: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L84: checkcast java/lang/String
L87: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L90: pop
L91: aload_1
L92: ldc '"'
L94: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L97: pop
L98: aload_1
L99: ldc ': '
L101: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L104: pop
L105: aload_1
L106: ldc '"'
L108: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L111: pop
L112: aload_1
L113: aload_0
L114: getfield Field Trace _value Ljava/util/List;
L117: iload_2
L118: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L123: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L126: pop
L127: aload_1
L128: ldc '" }'
L130: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L133: pop
L134: iinc 2 1
L137: goto L42
.stack chop 1
L140: aload_1
L141: ldc '] }'
L143: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L146: pop
L147: aload_1
L148: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L151: areturn
L152:
.linenumbertable
L0 62
L8 63
L40 64
L55 65
L59 66
L66 68
L73 69
L91 70
L98 71
L105 72
L112 73
L127 74
L134 64
L140 76
L147 77
.end linenumbertable
.end code
.end method
.method public getTraceTree : (Ljava/lang/StringBuilder;I)Ljava/lang/String;
.code stack 4 locals 5
L0: iconst_0
L1: istore_3
.stack append Integer
L2: iload_3
L3: iload_2
L4: if_icmpge L20
L7: aload_1
L8: ldc '--> '
L10: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L13: pop
L14: iinc 3 1
L17: goto L2
.stack chop 1
L20: aload_1
L21: new java/lang/StringBuilder
L24: dup
L25: invokespecial Method java/lang/StringBuilder <init> ()V
L28: ldc '[TID: '
L30: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L33: aload_0
L34: getfield Field Trace _threadId Ljava/lang/Long;
L37: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L40: ldc '] '
L42: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L45: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L48: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L51: pop
L52: aload_1
L53: aload_0
L54: invokevirtual Method Trace toString ()Ljava/lang/String;
L57: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L60: pop
L61: aload_1
L62: ldc '\n'
L64: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L67: pop
L68: aload_0
L69: getfield Field Trace _children Ljava/util/List;
L72: invokeinterface InterfaceMethod java/util/List iterator ()Ljava/util/Iterator; 1
L77: astore_3
.stack append Object java/util/Iterator
L78: aload_3
L79: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1
L84: ifeq L111
L87: aload_3
L88: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1
L93: checkcast Trace
L96: astore 4
L98: aload 4
L100: aload_1
L101: iload_2
L102: iconst_1
L103: iadd
L104: invokevirtual Method Trace getTraceTree (Ljava/lang/StringBuilder;I)Ljava/lang/String;
L107: pop
L108: goto L78
.stack chop 1
L111: aload_1
L112: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L115: areturn
L116:
.linenumbertable
L0 82
L7 83
L14 82
L20 85
L52 86
L61 87
L68 89
L98 90
L108 91
L111 93
.end linenumbertable
.end code
.end method
.sourcefile 'Trace.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 20:12:03 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
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 Trace_ESTest extends Trace_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Long long0 = new Long((-16789L));
Trace trace0 = new Trace(long0, (Trace) null);
StringBuilder stringBuilder0 = new StringBuilder();
// Undeclared exception!
trace0.getTraceTree(stringBuilder0, 31872);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Long long0 = new Long((-16789L));
Trace trace0 = new Trace(long0, (Trace) null);
trace0.getValue();
StringBuilder stringBuilder0 = new StringBuilder();
// Undeclared exception!
trace0.getTraceTree(stringBuilder0, 31872);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Long long0 = Long.getLong("", (-1L));
Trace trace0 = new Trace(long0, (Trace) null);
// Undeclared exception!
try {
trace0.getTraceTree((StringBuilder) null, (-6956));
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
}
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Long long0 = new Long((-36255L));
Trace trace0 = new Trace(long0, (Trace) null);
trace0.log("", long0);
trace0.getValue();
StringBuilder stringBuilder0 = new StringBuilder((CharSequence) "");
String string0 = trace0.getTraceTree(stringBuilder0, 0);
assertEquals("[TID: -36255] {\"0\": [{ \"\": \"-36255\" }] }\n", stringBuilder0.toString());
assertEquals("[TID: -36255] {\"0\": [{ \"\": \"-36255\" }] }\n", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Trace trace0 = new Trace((Long) null, (Trace) null);
trace0.log("{\"0\": [] }", (Object) null);
trace0.log("{ \"", (Object) null);
String string0 = trace0.toString();
assertEquals("{\"0\": [{ \"{\"0\": [] }\": \"null\" }, { \"{ \"\": \"null\" }] }", string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Long long0 = new Long((-36255L));
Trace trace0 = new Trace(long0, (Trace) null);
StringBuilder stringBuilder0 = new StringBuilder((CharSequence) "");
String string0 = trace0.getTraceTree(stringBuilder0, 0);
assertEquals("[TID: -36255] {\"0\": [] }\n", stringBuilder0.toString());
assertEquals("[TID: -36255] {\"0\": [] }\n", string0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
Long long0 = new Long((-1L));
Trace trace0 = new Trace((Long) null, (Trace) null);
Trace trace1 = new Trace(long0, trace0);
assertFalse(trace1.equals((Object)trace0));
}
@Test(timeout = 4000)
public void test7() throws Throwable {
Long long0 = new Long(34394L);
Trace trace0 = new Trace(long0, (Trace) null);
Object object0 = new Object();
trace0.log("", object0);
List<String> list0 = trace0.getKey();
assertTrue(list0.contains(""));
}
@Test(timeout = 4000)
public void test8() throws Throwable {
Long long0 = new Long(34394L);
Trace trace0 = new Trace(long0, (Trace) null);
List<String> list0 = trace0.getKey();
assertEquals(0, list0.size());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 20:12:03 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Trace_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 = "Trace";
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/tmp1p__p5om");
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(Trace_ESTest_scaffolding.class.getClassLoader() ,
"Trace"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Trace_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Trace"
);
}
}
| 1,465 |
ApplicationConstants | /**
* @author sukanthgunda Description : Application constants for this project .
*/
public class ApplicationConstants {}
| .version 52 0
.class public super ApplicationConstants
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 8
.end linenumbertable
.end code
.end method
.sourcefile 'ApplicationConstants.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 20:51:26 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 ApplicationConstants_ESTest extends ApplicationConstants_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ApplicationConstants applicationConstants0 = new ApplicationConstants();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 20: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 ApplicationConstants_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 = "ApplicationConstants";
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/tmp5s_bb_pv");
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(ApplicationConstants_ESTest_scaffolding.class.getClassLoader() ,
"ApplicationConstants"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ApplicationConstants_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ApplicationConstants"
);
}
}
| 1,466 |
Compra | // Crear una clase que realice la suma de distintos tipos de datos sobre una
// misma variable de tipo byte, utilizando el operador de autoasignación +=,
// demostrándose que se produce el conocido autocasting al tipo receptor.
public class Compra {
public static void main(String[] args) {
byte cebolla = 2;
short lechuga = 1;
int tomate = 3;
long pimiento = 4;
byte sumaTotal = 0;
sumaTotal += cebolla;
sumaTotal += lechuga;
sumaTotal += tomate;
sumaTotal += pimiento;
System.out.println("SUMA TOTAL = " + sumaTotal);
}
}
| .version 52 0
.class public super Compra
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 8
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 4 locals 7
L0: iconst_2
L1: istore_1
L2: iconst_1
L3: istore_2
L4: iconst_3
L5: istore_3
L6: ldc2_w 4L
L9: lstore 4
L11: iconst_0
L12: istore 6
L14: iload 6
L16: iload_1
L17: iadd
L18: i2b
L19: istore 6
L21: iload 6
L23: iload_2
L24: iadd
L25: i2b
L26: istore 6
L28: iload 6
L30: iload_3
L31: iadd
L32: i2b
L33: istore 6
L35: iload 6
L37: i2l
L38: lload 4
L40: ladd
L41: l2i
L42: i2b
L43: istore 6
L45: getstatic Field java/lang/System out Ljava/io/PrintStream;
L48: new java/lang/StringBuilder
L51: dup
L52: invokespecial Method java/lang/StringBuilder <init> ()V
L55: ldc 'SUMA TOTAL = '
L57: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L60: iload 6
L62: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L65: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L68: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L71: return
L72:
.linenumbertable
L0 12
L2 13
L4 14
L6 15
L11 17
L14 19
L21 20
L28 21
L35 22
L45 24
L71 25
.end linenumbertable
.end code
.end method
.sourcefile 'Compra.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 14:37:49 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Compra_ESTest extends Compra_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[7];
Compra.main(stringArray0);
assertEquals(7, stringArray0.length);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Compra compra0 = new Compra();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 14:37:49 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Compra_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 = "Compra";
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/tmpts94k8q3");
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(Compra_ESTest_scaffolding.class.getClassLoader() ,
"Compra"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Compra_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Compra"
);
}
}
| 1,467 |
ObjectRepositoryServiceInfoConstants | /**
* Service info emission constants for <em>Object Repository</em>
*
* @author donarus
*/
public class ObjectRepositoryServiceInfoConstants {
/** Service name of the <em>Object Repository</em> in the service map */
public static final String SERVICE_NAME = "OBJECT REPOSITORY";
}
| .version 52 0
.class public super ObjectRepositoryServiceInfoConstants
.super java/lang/Object
.field public static final SERVICE_NAME Ljava/lang/String; = 'OBJECT REPOSITORY'
.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 'ObjectRepositoryServiceInfoConstants.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 12:35: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 ObjectRepositoryServiceInfoConstants_ESTest extends ObjectRepositoryServiceInfoConstants_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ObjectRepositoryServiceInfoConstants objectRepositoryServiceInfoConstants0 = new ObjectRepositoryServiceInfoConstants();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 12:35: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 ObjectRepositoryServiceInfoConstants_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 = "ObjectRepositoryServiceInfoConstants";
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/tmp7hxowki_");
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(ObjectRepositoryServiceInfoConstants_ESTest_scaffolding.class.getClassLoader() ,
"ObjectRepositoryServiceInfoConstants"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ObjectRepositoryServiceInfoConstants_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ObjectRepositoryServiceInfoConstants"
);
}
}
| 1,468 |
Point | public class Point {
private double x;
private double y;
public Point() {}
public Point(double x, double y) {
this.x = x;
this.y = y;
}
public double getX() {
return x;
}
public void setX(double x) {
this.x = x;
}
public double getY() {
return y;
}
public void setY(double y) {
this.y = y;
}
/**
* @param args
*/
public static void main(String[] args) {
// TODO Auto-generated method stub
Point p = new Point();
int i = 0; // 原始类型对象
p.setX(0); // 自定义类型对象,还可以对自身操作
}
}
| .version 52 0
.class public super Point
.super java/lang/Object
.field private x D
.field private y 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 8
L4 10
.end linenumbertable
.end code
.end method
.method public <init> : (DD)V
.code stack 3 locals 5
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: dload_1
L6: putfield Field Point x D
L9: aload_0
L10: dload_3
L11: putfield Field Point y D
L14: return
L15:
.linenumbertable
L0 12
L4 13
L9 14
L14 15
.end linenumbertable
.end code
.end method
.method public getX : ()D
.code stack 2 locals 1
L0: aload_0
L1: getfield Field Point x D
L4: dreturn
L5:
.linenumbertable
L0 19
.end linenumbertable
.end code
.end method
.method public setX : (D)V
.code stack 3 locals 3
L0: aload_0
L1: dload_1
L2: putfield Field Point x D
L5: return
L6:
.linenumbertable
L0 23
L5 24
.end linenumbertable
.end code
.end method
.method public getY : ()D
.code stack 2 locals 1
L0: aload_0
L1: getfield Field Point y D
L4: dreturn
L5:
.linenumbertable
L0 27
.end linenumbertable
.end code
.end method
.method public setY : (D)V
.code stack 3 locals 3
L0: aload_0
L1: dload_1
L2: putfield Field Point y D
L5: return
L6:
.linenumbertable
L0 31
L5 32
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 3 locals 3
L0: new Point
L3: dup
L4: invokespecial Method Point <init> ()V
L7: astore_1
L8: iconst_0
L9: istore_2
L10: aload_1
L11: dconst_0
L12: invokevirtual Method Point setX (D)V
L15: return
L16:
.linenumbertable
L0 40
L8 42
L10 43
L15 44
.end linenumbertable
.end code
.end method
.sourcefile 'Point.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 19:31:22 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Point_ESTest extends Point_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Point point0 = new Point(0.0, 0.0);
double double0 = point0.getY();
assertEquals(0.0, double0, 1.0E-4);
assertEquals(0.0, point0.getX(), 1.0E-4);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Point point0 = new Point();
point0.setY((-34163.6));
double double0 = point0.getY();
assertEquals((-34163.6), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Point point0 = new Point(0.0, (-64620.612205));
double double0 = point0.getX();
assertEquals((-64620.612205), point0.getY(), 1.0E-4);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Point point0 = new Point((-1.0), 36074.86788216968);
point0.setX(26726.35);
double double0 = point0.getX();
assertEquals(26726.35, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Point point0 = new Point((-1.0), 36074.86788216968);
double double0 = point0.getY();
assertEquals(36074.86788216968, double0, 1.0E-4);
assertEquals((-1.0), point0.getX(), 1.0E-4);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
String[] stringArray0 = new String[1];
Point.main(stringArray0);
assertEquals(1, stringArray0.length);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
Point point0 = new Point((-1.0), 36074.86788216968);
double double0 = point0.getX();
assertEquals(36074.86788216968, point0.getY(), 1.0E-4);
assertEquals((-1.0), double0, 1.0E-4);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 19:31:22 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Point_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 = "Point";
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/tmp2kxdhb6u");
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(Point_ESTest_scaffolding.class.getClassLoader() ,
"Point"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Point_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Point"
);
}
}
| 1,469 |
EDRating | /**
* Insert data
*
* <p>
*
* @author Matej Crepinsek
* @version 1
* <h3>License</h3>
* Copyright (c) 2011 by Matej Crepinsek. <br>
* All rights reserved. <br>
* <p>Redistribution and use in source and binary forms, with or without modification, are
* permitted provided that the following conditions are met:
* <ul>
* <li>Redistributions of source code must retain the above copyright notice, this list of
* conditions and the following disclaimer.
* <li>Redistributions in binary form must reproduce the above copyright notice, this list of
* conditions and the following disclaimer in the documentation and/or other materials
* provided with the distribution.
* <li>Neither the name of the copyright owners, their employers, nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
* </ul>
* <p>THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF
* MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE
* COPYRIGHT OWNERS OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL,
* EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE
* GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED
* AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING
* NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED
* OF THE POSSIBILITY OF SUCH DAMAGE.
*/
import java.io.Serializable;
/**
* @author Administrator
*/
public class EDRating implements Serializable {
/** */
private static final long serialVersionUID = -1092730396537720435L;
public double rating;
public double RD;
public double rv;
@Override
public String toString() {
return "EDRating [rating=" + rating + ", RD=" + RD + ", rv=" + rv + "]";
}
}
| .version 52 0
.class public super EDRating
.super java/lang/Object
.implements java/io/Serializable
.field private static final serialVersionUID J = -1092730396537720435L
.field public rating D
.field public RD D
.field public rv 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 52
.end linenumbertable
.end code
.end method
.method public toString : ()Ljava/lang/String;
.code stack 3 locals 1
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: ldc 'EDRating [rating='
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field EDRating rating D
L16: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L19: ldc ', RD='
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: aload_0
L25: getfield Field EDRating RD D
L28: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L31: ldc ', rv='
L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L36: aload_0
L37: getfield Field EDRating rv D
L40: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L43: ldc ']'
L45: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L48: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L51: areturn
L52:
.linenumbertable
L0 62
.end linenumbertable
.end code
.end method
.sourcefile 'EDRating.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 22:34: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 EDRating_ESTest extends EDRating_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
EDRating eDRating0 = new EDRating();
String string0 = eDRating0.toString();
assertEquals("EDRating [rating=0.0, RD=0.0, rv=0.0]", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 22:34: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 EDRating_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 = "EDRating";
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/tmp965r_qnj");
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(EDRating_ESTest_scaffolding.class.getClassLoader() ,
"EDRating"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(EDRating_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"EDRating"
);
}
}
| 1,470 |
ExportedKeyInfo | /*******************************************************************************
* Copyright (c) Microsoft Open Technologies (Shanghai) Co. Ltd. All rights reserved.
*
* The MIT License (MIT)
*
* 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.
*******************************************************************************/
public class ExportedKeyInfo {}
| .version 52 0
.class public super ExportedKeyInfo
.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
.sourcefile 'ExportedKeyInfo.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 03:50: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 ExportedKeyInfo_ESTest extends ExportedKeyInfo_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ExportedKeyInfo exportedKeyInfo0 = new ExportedKeyInfo();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 03:50: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 ExportedKeyInfo_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 = "ExportedKeyInfo";
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/tmphz_cqu5i");
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(ExportedKeyInfo_ESTest_scaffolding.class.getClassLoader() ,
"ExportedKeyInfo"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ExportedKeyInfo_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ExportedKeyInfo"
);
}
}
| 1,471 |
MigrationConfiguration | import java.util.Date;
import java.util.List;
public class MigrationConfiguration {
private String _id;
private String configurationName;
private String consistencyCheckerName;
private int threadCount;
private String migratorClass;
private String consistencyCheckerControllerClass;
private boolean overwriteDestinationDocuments = false;
private List<String> comparisonExclusionPaths;
private String destinationConfigPath;
private String destinationServiceURI;
private String destinationEntityName;
private String destinationEntityVersion;
private String sourceConfigPath;
private List<String> destinationIdentityFields;
private String sourceServiceURI;
private String sourceEntityName;
private String sourceEntityVersion;
private String timestampFieldName;
private Date timestampInitialValue;
/**
* The period is one of:
*
* <pre>
* millis
* millis "ms"
* seconds "s"
* minutes "m"
* hours "h"
* days "d"
* </pre>
*/
private String period;
/**
* Gets the value of _id
*
* @return the value of _id
*/
public final String get_id() {
return this._id;
}
/**
* Sets the value of _id
*
* @param arg_id Value to assign to this._id
*/
public final void set_id(final String arg_id) {
this._id = arg_id;
}
/**
* Gets the value of configurationName
*
* @return the value of configurationName
*/
public final String getConfigurationName() {
return this.configurationName;
}
/**
* Sets the value of configurationName
*
* @param argConfigurationName Value to assign to this.configurationName
*/
public final void setConfigurationName(final String argConfigurationName) {
this.configurationName = argConfigurationName;
}
/**
* Gets the value of consistencyCheckerName
*
* @return the value of consistencyCheckerName
*/
public final String getConsistencyCheckerName() {
return this.consistencyCheckerName;
}
/**
* Sets the value of consistencyCheckerName
*
* @param argConsistencyCheckerName Value to assign to this.consistencyCheckerName
*/
public final void setConsistencyCheckerName(final String argConsistencyCheckerName) {
this.consistencyCheckerName = argConsistencyCheckerName;
}
/**
* Gets the value of threadCount
*
* @return the value of threadCount
*/
public final int getThreadCount() {
return this.threadCount;
}
/**
* Sets the value of threadCount
*
* @param argThreadCount Value to assign to this.threadCount
*/
public final void setThreadCount(final int argThreadCount) {
this.threadCount = argThreadCount;
}
/**
* Gets the value of migratorClass
*
* @return the value of migratorClass
*/
public final String getMigratorClass() {
return this.migratorClass;
}
/**
* Sets the value of migratorClass
*
* @param argMigratorClass Value to assign to this.migratorClass
*/
public final void setMigratorClass(final String argMigratorClass) {
this.migratorClass = argMigratorClass;
}
public final List<String> getComparisonExclusionPaths() {
return comparisonExclusionPaths;
}
public final void setComparisonExclusionPaths(List<String> s) {
comparisonExclusionPaths = s;
}
/**
* Gets the value of overwriteDestinationDocuments
*
* @return the value of overwriteDestinationDocuments
*/
public final boolean isOverwriteDestinationDocuments() {
return this.overwriteDestinationDocuments;
}
/**
* Sets the value of overwriteDestinationDocuments
*
* @param argOverwriteDestinationDocuments Value to assign to this.overwriteDestinationDocuments
*/
public final void setOverwriteDestinationDocuments(
final boolean argOverwriteDestinationDocuments) {
this.overwriteDestinationDocuments = argOverwriteDestinationDocuments;
}
/**
* Gets the value of destinationServiceURI
*
* @return the value of destinationServiceURI
*/
public final String getDestinationServiceURI() {
return this.destinationServiceURI;
}
/**
* Sets the value of destinationServiceURI
*
* @param argDestinationServiceURI Value to assign to this.destinationServiceURI
*/
public final void setDestinationServiceURI(final String argDestinationServiceURI) {
this.destinationServiceURI = argDestinationServiceURI;
}
/**
* Gets the value of destinationEntityName
*
* @return the value of destinationEntityName
*/
public final String getDestinationEntityName() {
return this.destinationEntityName;
}
/**
* Sets the value of destinationEntityName
*
* @param argDestinationEntityName Value to assign to this.destinationEntityName
*/
public final void setDestinationEntityName(final String argDestinationEntityName) {
this.destinationEntityName = argDestinationEntityName;
}
/**
* Gets the value of destinationEntityVersion
*
* @return the value of destinationEntityVersion
*/
public final String getDestinationEntityVersion() {
return this.destinationEntityVersion;
}
/**
* Sets the value of destinationEntityVersion
*
* @param argDestinationEntityVersion Value to assign to this.destinationEntityVersion
*/
public final void setDestinationEntityVersion(final String argDestinationEntityVersion) {
this.destinationEntityVersion = argDestinationEntityVersion;
}
/**
* Gets the value of sourceServiceURI
*
* @return the value of sourceServiceURI
*/
public final String getSourceServiceURI() {
return this.sourceServiceURI;
}
/**
* Sets the value of sourceServiceURI
*
* @param argSourceServiceURI Value to assign to this.sourceServiceURI
*/
public final void setSourceServiceURI(final String argSourceServiceURI) {
this.sourceServiceURI = argSourceServiceURI;
}
/**
* Gets the value of sourceEntityName
*
* @return the value of sourceEntityName
*/
public final String getSourceEntityName() {
return this.sourceEntityName;
}
/**
* Sets the value of sourceEntityName
*
* @param argSourceEntityName Value to assign to this.sourceEntityName
*/
public final void setSourceEntityName(final String argSourceEntityName) {
this.sourceEntityName = argSourceEntityName;
}
/**
* Gets the value of sourceEntityVersion
*
* @return the value of sourceEntityVersion
*/
public final String getSourceEntityVersion() {
return this.sourceEntityVersion;
}
/**
* Sets the value of sourceEntityVersion
*
* @param argSourceEntityVersion Value to assign to this.sourceEntityVersion
*/
public final void setSourceEntityVersion(final String argSourceEntityVersion) {
this.sourceEntityVersion = argSourceEntityVersion;
}
public final List<String> getDestinationIdentityFields() {
return destinationIdentityFields;
}
public final void setDestinationIdentityFields(List<String> s) {
destinationIdentityFields = s;
}
/**
* Gets the value of destinationConfigPath
*
* @return the value of destinationConfigPath
*/
public final String getDestinationConfigPath() {
return this.destinationConfigPath;
}
/**
* Sets the value of destinationConfigPath
*
* @param argDestinationConfigPath Value to assign to this.destinationConfigPath
*/
public final void setDestinationConfigPath(final String argDestinationConfigPath) {
this.destinationConfigPath = argDestinationConfigPath;
}
/**
* Gets the value of sourceConfigPath
*
* @return the value of sourceConfigPath
*/
public final String getSourceConfigPath() {
return this.sourceConfigPath;
}
/**
* Sets the value of sourceConfigPath
*
* @param argSourceConfigPath Value to assign to this.sourceConfigPath
*/
public final void setSourceConfigPath(final String argSourceConfigPath) {
this.sourceConfigPath = argSourceConfigPath;
}
/**
* Gets the value of timestampFieldName
*
* @return the value of timestampFieldName
*/
public final String getTimestampFieldName() {
return this.timestampFieldName;
}
/**
* Sets the value of timestampFieldName
*
* @param argTimestampFieldName Value to assign to this.timestampFieldName
*/
public final void setTimestampFieldName(final String argTimestampFieldName) {
this.timestampFieldName = argTimestampFieldName;
}
/**
* Gets the value of timestampInitialValue
*
* @return the value of timestampInitialValue
*/
public final Date getTimestampInitialValue() {
return this.timestampInitialValue;
}
/**
* Sets the value of timestampInitialValue
*
* @param argTimestampInitialValue Value to assign to this.timestampInitialValue
*/
public final void setTimestampInitialValue(final Date argTimestampInitialValue) {
this.timestampInitialValue = argTimestampInitialValue;
}
/**
* Gets the value of period
*
* @return the value of period
*/
public final String getPeriod() {
return this.period;
}
/**
* Sets the value of period
*
* @param argPeriod Value to assign to this.period
*/
public final void setPeriod(final String argPeriod) {
this.period = argPeriod;
}
/**
* Gets the value of consistencyCheckerControllerClass
*
* @return the value of consistencyCheckerControllerClass
*/
public final String getConsistencyCheckerControllerClass() {
return this.consistencyCheckerControllerClass;
}
/**
* Sets the value of consistencyCheckerControllerClass
*
* @param argConsistencyCheckerControllerClass Value to assign to
* this.consistencyCheckerControllerClass
*/
public final void setConsistencyCheckerControllerClass(
final String argConsistencyCheckerControllerClass) {
this.consistencyCheckerControllerClass = argConsistencyCheckerControllerClass;
}
@Override
public String toString() {
final int sbSize = 1000;
final String variableSeparator = " ";
final StringBuffer sb = new StringBuffer(sbSize);
sb.append("_id=").append(_id);
sb.append(variableSeparator);
sb.append("configurationName=").append(configurationName);
sb.append(variableSeparator);
sb.append("consistencyCheckerName=").append(consistencyCheckerName);
sb.append(variableSeparator);
sb.append("threadCount=").append(threadCount);
sb.append(variableSeparator);
sb.append("migratorClass=").append(migratorClass);
sb.append(variableSeparator);
sb.append("consistencyCheckerControllerClass=").append(consistencyCheckerControllerClass);
sb.append(variableSeparator);
sb.append("overwriteDestinationDocuments=").append(overwriteDestinationDocuments);
sb.append(variableSeparator);
sb.append("destinationServiceURI=").append(destinationServiceURI);
sb.append(variableSeparator);
sb.append("destinationEntityName=").append(destinationEntityName);
sb.append(variableSeparator);
sb.append("destinationEntityVersion=").append(destinationEntityVersion);
sb.append(variableSeparator);
sb.append("sourceServiceURI=").append(sourceServiceURI);
sb.append(variableSeparator);
sb.append("sourceEntityName=").append(sourceEntityName);
sb.append(variableSeparator);
sb.append("sourceEntityVersion=").append(sourceEntityVersion);
return sb.toString();
}
}
| .version 52 0
.class public super MigrationConfiguration
.super java/lang/Object
.field private _id Ljava/lang/String;
.field private configurationName Ljava/lang/String;
.field private consistencyCheckerName Ljava/lang/String;
.field private threadCount I
.field private migratorClass Ljava/lang/String;
.field private consistencyCheckerControllerClass Ljava/lang/String;
.field private overwriteDestinationDocuments Z
.field private comparisonExclusionPaths Ljava/util/List; .fieldattributes
.signature Ljava/util/List<Ljava/lang/String;>;
.end fieldattributes
.field private destinationConfigPath Ljava/lang/String;
.field private destinationServiceURI Ljava/lang/String;
.field private destinationEntityName Ljava/lang/String;
.field private destinationEntityVersion Ljava/lang/String;
.field private sourceConfigPath Ljava/lang/String;
.field private destinationIdentityFields Ljava/util/List; .fieldattributes
.signature Ljava/util/List<Ljava/lang/String;>;
.end fieldattributes
.field private sourceServiceURI Ljava/lang/String;
.field private sourceEntityName Ljava/lang/String;
.field private sourceEntityVersion Ljava/lang/String;
.field private timestampFieldName Ljava/lang/String;
.field private timestampInitialValue Ljava/util/Date;
.field private period 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: iconst_0
L6: putfield Field MigrationConfiguration overwriteDestinationDocuments Z
L9: return
L10:
.linenumbertable
L0 6
L4 14
.end linenumbertable
.end code
.end method
.method public final get_id : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MigrationConfiguration _id Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 48
.end linenumbertable
.end code
.end method
.method public final set_id : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MigrationConfiguration _id Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 57
L5 58
.end linenumbertable
.end code
.end method
.method public final getConfigurationName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MigrationConfiguration configurationName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 66
.end linenumbertable
.end code
.end method
.method public final setConfigurationName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MigrationConfiguration configurationName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 75
L5 76
.end linenumbertable
.end code
.end method
.method public final getConsistencyCheckerName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MigrationConfiguration consistencyCheckerName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 84
.end linenumbertable
.end code
.end method
.method public final setConsistencyCheckerName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MigrationConfiguration consistencyCheckerName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 93
L5 94
.end linenumbertable
.end code
.end method
.method public final getThreadCount : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MigrationConfiguration threadCount I
L4: ireturn
L5:
.linenumbertable
L0 103
.end linenumbertable
.end code
.end method
.method public final setThreadCount : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field MigrationConfiguration threadCount I
L5: return
L6:
.linenumbertable
L0 112
L5 113
.end linenumbertable
.end code
.end method
.method public final getMigratorClass : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MigrationConfiguration migratorClass Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 121
.end linenumbertable
.end code
.end method
.method public final setMigratorClass : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MigrationConfiguration migratorClass Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 130
L5 131
.end linenumbertable
.end code
.end method
.method public final getComparisonExclusionPaths : ()Ljava/util/List;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MigrationConfiguration comparisonExclusionPaths Ljava/util/List;
L4: areturn
L5:
.linenumbertable
L0 135
.end linenumbertable
.end code
.signature ()Ljava/util/List<Ljava/lang/String;>;
.end method
.method public final setComparisonExclusionPaths : (Ljava/util/List;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MigrationConfiguration comparisonExclusionPaths Ljava/util/List;
L5: return
L6:
.linenumbertable
L0 139
L5 140
.end linenumbertable
.end code
.signature (Ljava/util/List<Ljava/lang/String;>;)V
.end method
.method public final isOverwriteDestinationDocuments : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MigrationConfiguration overwriteDestinationDocuments Z
L4: ireturn
L5:
.linenumbertable
L0 148
.end linenumbertable
.end code
.end method
.method public final setOverwriteDestinationDocuments : (Z)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field MigrationConfiguration overwriteDestinationDocuments Z
L5: return
L6:
.linenumbertable
L0 157
L5 158
.end linenumbertable
.end code
.end method
.method public final getDestinationServiceURI : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MigrationConfiguration destinationServiceURI Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 166
.end linenumbertable
.end code
.end method
.method public final setDestinationServiceURI : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MigrationConfiguration destinationServiceURI Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 175
L5 176
.end linenumbertable
.end code
.end method
.method public final getDestinationEntityName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MigrationConfiguration destinationEntityName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 184
.end linenumbertable
.end code
.end method
.method public final setDestinationEntityName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MigrationConfiguration destinationEntityName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 193
L5 194
.end linenumbertable
.end code
.end method
.method public final getDestinationEntityVersion : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MigrationConfiguration destinationEntityVersion Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 202
.end linenumbertable
.end code
.end method
.method public final setDestinationEntityVersion : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MigrationConfiguration destinationEntityVersion Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 211
L5 212
.end linenumbertable
.end code
.end method
.method public final getSourceServiceURI : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MigrationConfiguration sourceServiceURI Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 220
.end linenumbertable
.end code
.end method
.method public final setSourceServiceURI : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MigrationConfiguration sourceServiceURI Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 229
L5 230
.end linenumbertable
.end code
.end method
.method public final getSourceEntityName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MigrationConfiguration sourceEntityName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 238
.end linenumbertable
.end code
.end method
.method public final setSourceEntityName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MigrationConfiguration sourceEntityName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 247
L5 248
.end linenumbertable
.end code
.end method
.method public final getSourceEntityVersion : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MigrationConfiguration sourceEntityVersion Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 256
.end linenumbertable
.end code
.end method
.method public final setSourceEntityVersion : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MigrationConfiguration sourceEntityVersion Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 265
L5 266
.end linenumbertable
.end code
.end method
.method public final getDestinationIdentityFields : ()Ljava/util/List;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MigrationConfiguration destinationIdentityFields Ljava/util/List;
L4: areturn
L5:
.linenumbertable
L0 269
.end linenumbertable
.end code
.signature ()Ljava/util/List<Ljava/lang/String;>;
.end method
.method public final setDestinationIdentityFields : (Ljava/util/List;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MigrationConfiguration destinationIdentityFields Ljava/util/List;
L5: return
L6:
.linenumbertable
L0 273
L5 274
.end linenumbertable
.end code
.signature (Ljava/util/List<Ljava/lang/String;>;)V
.end method
.method public final getDestinationConfigPath : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MigrationConfiguration destinationConfigPath Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 282
.end linenumbertable
.end code
.end method
.method public final setDestinationConfigPath : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MigrationConfiguration destinationConfigPath Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 291
L5 292
.end linenumbertable
.end code
.end method
.method public final getSourceConfigPath : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MigrationConfiguration sourceConfigPath Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 300
.end linenumbertable
.end code
.end method
.method public final setSourceConfigPath : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MigrationConfiguration sourceConfigPath Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 309
L5 310
.end linenumbertable
.end code
.end method
.method public final getTimestampFieldName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MigrationConfiguration timestampFieldName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 319
.end linenumbertable
.end code
.end method
.method public final setTimestampFieldName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MigrationConfiguration timestampFieldName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 328
L5 329
.end linenumbertable
.end code
.end method
.method public final getTimestampInitialValue : ()Ljava/util/Date;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MigrationConfiguration timestampInitialValue Ljava/util/Date;
L4: areturn
L5:
.linenumbertable
L0 337
.end linenumbertable
.end code
.end method
.method public final setTimestampInitialValue : (Ljava/util/Date;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MigrationConfiguration timestampInitialValue Ljava/util/Date;
L5: return
L6:
.linenumbertable
L0 346
L5 347
.end linenumbertable
.end code
.end method
.method public final getPeriod : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MigrationConfiguration period Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 355
.end linenumbertable
.end code
.end method
.method public final setPeriod : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MigrationConfiguration period Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 364
L5 365
.end linenumbertable
.end code
.end method
.method public final getConsistencyCheckerControllerClass : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MigrationConfiguration consistencyCheckerControllerClass Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 374
.end linenumbertable
.end code
.end method
.method public final setConsistencyCheckerControllerClass : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MigrationConfiguration consistencyCheckerControllerClass Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 383
L5 384
.end linenumbertable
.end code
.end method
.method public toString : ()Ljava/lang/String;
.code stack 3 locals 4
L0: new java/lang/StringBuffer
L3: dup
L4: sipush 1000
L7: invokespecial Method java/lang/StringBuffer <init> (I)V
L10: astore_3
L11: aload_3
L12: ldc '_id='
L14: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L17: aload_0
L18: getfield Field MigrationConfiguration _id Ljava/lang/String;
L21: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L24: pop
L25: aload_3
L26: ldc ' '
L28: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L31: pop
L32: aload_3
L33: ldc 'configurationName='
L35: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L38: aload_0
L39: getfield Field MigrationConfiguration configurationName Ljava/lang/String;
L42: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L45: pop
L46: aload_3
L47: ldc ' '
L49: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L52: pop
L53: aload_3
L54: ldc 'consistencyCheckerName='
L56: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L59: aload_0
L60: getfield Field MigrationConfiguration consistencyCheckerName Ljava/lang/String;
L63: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L66: pop
L67: aload_3
L68: ldc ' '
L70: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L73: pop
L74: aload_3
L75: ldc 'threadCount='
L77: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L80: aload_0
L81: getfield Field MigrationConfiguration threadCount I
L84: invokevirtual Method java/lang/StringBuffer append (I)Ljava/lang/StringBuffer;
L87: pop
L88: aload_3
L89: ldc ' '
L91: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L94: pop
L95: aload_3
L96: ldc 'migratorClass='
L98: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L101: aload_0
L102: getfield Field MigrationConfiguration migratorClass Ljava/lang/String;
L105: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L108: pop
L109: aload_3
L110: ldc ' '
L112: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L115: pop
L116: aload_3
L117: ldc 'consistencyCheckerControllerClass='
L119: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L122: aload_0
L123: getfield Field MigrationConfiguration consistencyCheckerControllerClass Ljava/lang/String;
L126: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L129: pop
L130: aload_3
L131: ldc ' '
L133: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L136: pop
L137: aload_3
L138: ldc 'overwriteDestinationDocuments='
L140: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L143: aload_0
L144: getfield Field MigrationConfiguration overwriteDestinationDocuments Z
L147: invokevirtual Method java/lang/StringBuffer append (Z)Ljava/lang/StringBuffer;
L150: pop
L151: aload_3
L152: ldc ' '
L154: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L157: pop
L158: aload_3
L159: ldc 'destinationServiceURI='
L161: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L164: aload_0
L165: getfield Field MigrationConfiguration destinationServiceURI Ljava/lang/String;
L168: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L171: pop
L172: aload_3
L173: ldc ' '
L175: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L178: pop
L179: aload_3
L180: ldc 'destinationEntityName='
L182: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L185: aload_0
L186: getfield Field MigrationConfiguration destinationEntityName Ljava/lang/String;
L189: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L192: pop
L193: aload_3
L194: ldc ' '
L196: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L199: pop
L200: aload_3
L201: ldc 'destinationEntityVersion='
L203: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L206: aload_0
L207: getfield Field MigrationConfiguration destinationEntityVersion Ljava/lang/String;
L210: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L213: pop
L214: aload_3
L215: ldc ' '
L217: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L220: pop
L221: aload_3
L222: ldc 'sourceServiceURI='
L224: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L227: aload_0
L228: getfield Field MigrationConfiguration sourceServiceURI Ljava/lang/String;
L231: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L234: pop
L235: aload_3
L236: ldc ' '
L238: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L241: pop
L242: aload_3
L243: ldc 'sourceEntityName='
L245: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L248: aload_0
L249: getfield Field MigrationConfiguration sourceEntityName Ljava/lang/String;
L252: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L255: pop
L256: aload_3
L257: ldc ' '
L259: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L262: pop
L263: aload_3
L264: ldc 'sourceEntityVersion='
L266: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L269: aload_0
L270: getfield Field MigrationConfiguration sourceEntityVersion Ljava/lang/String;
L273: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L276: pop
L277: aload_3
L278: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String;
L281: areturn
L282:
.linenumbertable
L0 391
L11 393
L25 394
L32 395
L46 396
L53 397
L67 398
L74 399
L88 400
L95 401
L109 402
L116 403
L130 404
L137 405
L151 406
L158 407
L172 408
L179 409
L193 410
L200 411
L214 412
L221 413
L235 414
L242 415
L256 416
L263 417
L277 419
.end linenumbertable
.end code
.end method
.sourcefile 'MigrationConfiguration.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 01:58:08 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.util.Collection;
import java.util.LinkedList;
import java.util.List;
import java.util.Locale;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.mock.java.util.MockDate;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class MigrationConfiguration_ESTest extends MigrationConfiguration_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.set_id("08");
migrationConfiguration0.get_id();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test01() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.set_id("");
migrationConfiguration0.get_id();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test02() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
MockDate mockDate0 = new MockDate();
migrationConfiguration0.setTimestampInitialValue(mockDate0);
migrationConfiguration0.getTimestampInitialValue();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test03() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.setTimestampFieldName("overwriteDestinationDocuments=");
migrationConfiguration0.getTimestampFieldName();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test04() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.setThreadCount(1000);
int int0 = migrationConfiguration0.getThreadCount();
assertEquals(1000, int0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.setSourceEntityName("jV.'TQtu.34E5");
migrationConfiguration0.getSourceEntityName();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test06() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.setPeriod("destinationEntityName=");
migrationConfiguration0.getPeriod();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test07() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.setMigratorClass("");
migrationConfiguration0.getMigratorClass();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test08() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
LinkedList<Locale.LanguageRange> linkedList0 = new LinkedList<Locale.LanguageRange>();
Locale.FilteringMode locale_FilteringMode0 = Locale.FilteringMode.IGNORE_EXTENDED_RANGES;
List<String> list0 = Locale.filterTags((List<Locale.LanguageRange>) linkedList0, (Collection<String>) null, locale_FilteringMode0);
migrationConfiguration0.setDestinationIdentityFields(list0);
migrationConfiguration0.getDestinationIdentityFields();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test09() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.setDestinationEntityVersion("o^zs%Id:_GZ]&#");
migrationConfiguration0.getDestinationEntityVersion();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test10() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.setDestinationEntityName("destinationEntityName=");
migrationConfiguration0.getDestinationEntityName();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test11() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.setDestinationEntityName("");
migrationConfiguration0.getDestinationEntityName();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test12() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.setConsistencyCheckerName("");
migrationConfiguration0.getConsistencyCheckerName();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test13() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.setConsistencyCheckerControllerClass("X^*V]KO-F_6<3PBui<_");
migrationConfiguration0.getConsistencyCheckerControllerClass();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test14() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.setConfigurationName("3!:e$m_+");
migrationConfiguration0.getConfigurationName();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test15() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
migrationConfiguration0.setOverwriteDestinationDocuments(true);
boolean boolean0 = migrationConfiguration0.isOverwriteDestinationDocuments();
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.getSourceEntityVersion();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test17() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.getConsistencyCheckerName();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test18() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.getDestinationConfigPath();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test19() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.getMigratorClass();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test20() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.getPeriod();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test21() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.getDestinationServiceURI();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test22() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.getComparisonExclusionPaths();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test23() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.getTimestampFieldName();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test24() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.setDestinationConfigPath("sourceEntityVersion=");
migrationConfiguration0.getDestinationConfigPath();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test25() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.setSourceServiceURI("H;pVg&Gf X]gCu");
migrationConfiguration0.getSourceServiceURI();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test26() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.setDestinationServiceURI((String) null);
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test27() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.setSourceConfigPath("sourceServiceURI=");
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test28() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
boolean boolean0 = migrationConfiguration0.isOverwriteDestinationDocuments();
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test29() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.get_id();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test30() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.setSourceEntityVersion("");
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test31() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.getDestinationEntityName();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test32() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.setDestinationEntityVersion("");
migrationConfiguration0.getDestinationEntityVersion();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test33() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.getSourceEntityName();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test34() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.getSourceConfigPath();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test35() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
String string0 = migrationConfiguration0.toString();
assertEquals("_id=null configurationName=null consistencyCheckerName=null threadCount=0 migratorClass=null consistencyCheckerControllerClass=null overwriteDestinationDocuments=false destinationServiceURI=null destinationEntityName=null destinationEntityVersion=null sourceServiceURI=null sourceEntityName=null sourceEntityVersion=null", string0);
}
@Test(timeout = 4000)
public void test36() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.getDestinationIdentityFields();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test37() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.getConsistencyCheckerControllerClass();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test38() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.getTimestampInitialValue();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test39() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.getConfigurationName();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test40() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.setComparisonExclusionPaths((List<String>) null);
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test41() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.setConsistencyCheckerControllerClass("");
migrationConfiguration0.getConsistencyCheckerControllerClass();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test42() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.getDestinationEntityVersion();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test43() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
int int0 = migrationConfiguration0.getThreadCount();
assertEquals(0, int0);
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
@Test(timeout = 4000)
public void test44() throws Throwable {
MigrationConfiguration migrationConfiguration0 = new MigrationConfiguration();
migrationConfiguration0.getSourceServiceURI();
assertFalse(migrationConfiguration0.isOverwriteDestinationDocuments());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 01:58: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 MigrationConfiguration_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 = "MigrationConfiguration";
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/tmpiacw40bg");
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(MigrationConfiguration_ESTest_scaffolding.class.getClassLoader() ,
"MigrationConfiguration"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MigrationConfiguration_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MigrationConfiguration"
);
}
}
| 1,472 |
ConnectSocket | /*
* Copyright (c) 2013, Thingsquare, http://www.thingsquare.com/.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions
* are met:
* 1. Redistributions of source code must retain the above copyright
* notice, this list of conditions and the following disclaimer.
* 2. Redistributions in binary form must reproduce the above copyright
* notice, this list of conditions and the following disclaimer in the
* documentation and/or other materials provided with the distribution.
*
* 3. Neither the name of the copyright holder nor the names of its
* contributors may be used to endorse or promote products derived
* from this software without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
* ``AS IS'' AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
* LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS
* FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE
* COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT,
* INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES
* (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR
* SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION)
* HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT,
* STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED
* OF THE POSSIBILITY OF SUCH DAMAGE.
*
*/
import java.io.BufferedInputStream;
import java.io.BufferedOutputStream;
import java.io.DataInputStream;
import java.net.Socket;
public class ConnectSocket {
private static BufferedOutputStream stdoutOutput = null;
private static BufferedOutputStream networkServerOutput = null;
private static final int BUFSIZE = 512;
public static void main(String[] args) throws Exception {
if (args.length != 2) {
System.err.println("Usage: " + ConnectSocket.class.getName() + " [server ip] [server port]");
System.exit(1);
}
/* Stdin */
final BufferedInputStream stdinInput = new BufferedInputStream(new DataInputStream(System.in));
stdoutOutput = new BufferedOutputStream(System.out);
Thread readInput =
new Thread(
new Runnable() {
public void run() {
int numRead = 0;
byte[] buf = new byte[BUFSIZE];
try {
while (true) {
numRead = stdinInput.read(buf, 0, BUFSIZE);
if (numRead > 0 && networkServerOutput != null) {
/* System.err.println("1>2 " + numRead); */
networkServerOutput.write(buf, 0, numRead);
networkServerOutput.flush();
}
Thread.sleep(1);
}
} catch (Exception e) {
e.printStackTrace();
}
exit();
}
},
"read stdin");
readInput.start();
/* Network server */
Socket networkServer = new Socket(args[0], Integer.parseInt(args[1]));
final BufferedInputStream networkServerInput =
new BufferedInputStream(new DataInputStream(networkServer.getInputStream()));
networkServerOutput = new BufferedOutputStream(networkServer.getOutputStream());
readInput =
new Thread(
new Runnable() {
public void run() {
int numRead = 0;
byte[] buf = new byte[BUFSIZE];
try {
while (true) {
numRead = networkServerInput.read(buf, 0, BUFSIZE);
if (numRead > 0 && stdoutOutput != null) {
/* System.err.println("2>1 " + numRead); */
stdoutOutput.write(buf, 0, numRead);
stdoutOutput.flush();
}
Thread.sleep(1);
}
} catch (Exception e) {
e.printStackTrace();
}
exit();
}
},
"read network server");
readInput.start();
while (true) {
Thread.sleep(100);
}
}
private static void exit() {
try {
Thread.sleep(500);
} catch (InterruptedException e) {
}
System.err.flush();
System.exit(1);
}
}
| .version 52 0
.class public super ConnectSocket
.super java/lang/Object
.field private static stdoutOutput Ljava/io/BufferedOutputStream;
.field private static networkServerOutput Ljava/io/BufferedOutputStream;
.field private static final BUFSIZE I = 512
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 38
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 5 locals 5
L0: aload_0
L1: arraylength
L2: iconst_2
L3: if_icmpeq L44
L6: getstatic Field java/lang/System err Ljava/io/PrintStream;
L9: new java/lang/StringBuilder
L12: dup
L13: invokespecial Method java/lang/StringBuilder <init> ()V
L16: ldc 'Usage: '
L18: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L21: ldc Class ConnectSocket
L23: invokevirtual Method java/lang/Class getName ()Ljava/lang/String;
L26: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L29: ldc ' [server ip] [server port]'
L31: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L34: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L37: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L40: iconst_1
L41: invokestatic Method java/lang/System exit (I)V
.stack same
L44: new java/io/BufferedInputStream
L47: dup
L48: new java/io/DataInputStream
L51: dup
L52: getstatic Field java/lang/System in Ljava/io/InputStream;
L55: invokespecial Method java/io/DataInputStream <init> (Ljava/io/InputStream;)V
L58: invokespecial Method java/io/BufferedInputStream <init> (Ljava/io/InputStream;)V
L61: astore_1
L62: new java/io/BufferedOutputStream
L65: dup
L66: getstatic Field java/lang/System out Ljava/io/PrintStream;
L69: invokespecial Method java/io/BufferedOutputStream <init> (Ljava/io/OutputStream;)V
L72: putstatic Field ConnectSocket stdoutOutput Ljava/io/BufferedOutputStream;
L75: new java/lang/Thread
L78: dup
L79: new ConnectSocket$1
L82: dup
L83: aload_1
L84: invokespecial Method ConnectSocket$1 <init> (Ljava/io/BufferedInputStream;)V
L87: ldc 'read stdin'
L89: invokespecial Method java/lang/Thread <init> (Ljava/lang/Runnable;Ljava/lang/String;)V
L92: astore_2
L93: aload_2
L94: invokevirtual Method java/lang/Thread start ()V
L97: new java/net/Socket
L100: dup
L101: aload_0
L102: iconst_0
L103: aaload
L104: aload_0
L105: iconst_1
L106: aaload
L107: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I
L110: invokespecial Method java/net/Socket <init> (Ljava/lang/String;I)V
L113: astore_3
L114: new java/io/BufferedInputStream
L117: dup
L118: new java/io/DataInputStream
L121: dup
L122: aload_3
L123: invokevirtual Method java/net/Socket getInputStream ()Ljava/io/InputStream;
L126: invokespecial Method java/io/DataInputStream <init> (Ljava/io/InputStream;)V
L129: invokespecial Method java/io/BufferedInputStream <init> (Ljava/io/InputStream;)V
L132: astore 4
L134: new java/io/BufferedOutputStream
L137: dup
L138: aload_3
L139: invokevirtual Method java/net/Socket getOutputStream ()Ljava/io/OutputStream;
L142: invokespecial Method java/io/BufferedOutputStream <init> (Ljava/io/OutputStream;)V
L145: putstatic Field ConnectSocket networkServerOutput Ljava/io/BufferedOutputStream;
L148: new java/lang/Thread
L151: dup
L152: new ConnectSocket$2
L155: dup
L156: aload 4
L158: invokespecial Method ConnectSocket$2 <init> (Ljava/io/BufferedInputStream;)V
L161: ldc 'read network server'
L163: invokespecial Method java/lang/Thread <init> (Ljava/lang/Runnable;Ljava/lang/String;)V
L166: astore_2
L167: aload_2
L168: invokevirtual Method java/lang/Thread start ()V
.stack full
locals Object [Ljava/lang/String; Object java/io/BufferedInputStream Object java/lang/Thread Object java/net/Socket Object java/io/BufferedInputStream
stack
.end stack
L171: ldc2_w 100L
L174: invokestatic Method java/lang/Thread sleep (J)V
L177: goto L171
L180:
.linenumbertable
L0 45
L6 46
L40 47
L44 51
L62 52
L75 53
L93 74
L97 77
L114 78
L134 79
L148 80
L167 100
L171 103
.end linenumbertable
.end code
.exceptions java/lang/Exception
.end method
.method private static exit : ()V
.code stack 2 locals 1
.catch java/lang/InterruptedException from L0 to L6 using L9
L0: ldc2_w 500L
L3: invokestatic Method java/lang/Thread sleep (J)V
L6: goto L10
.stack stack_1 Object java/lang/InterruptedException
L9: astore_0
.stack same
L10: getstatic Field java/lang/System err Ljava/io/PrintStream;
L13: invokevirtual Method java/io/PrintStream flush ()V
L16: iconst_1
L17: invokestatic Method java/lang/System exit (I)V
L20: return
L21:
.linenumbertable
L0 109
L6 111
L9 110
L10 112
L16 113
L20 114
.end linenumbertable
.end code
.end method
.method static synthetic access$000 : ()Ljava/io/BufferedOutputStream;
.code stack 1 locals 0
L0: getstatic Field ConnectSocket networkServerOutput Ljava/io/BufferedOutputStream;
L3: areturn
L4:
.linenumbertable
L0 38
.end linenumbertable
.end code
.end method
.method static synthetic access$100 : ()V
.code stack 0 locals 0
L0: invokestatic Method ConnectSocket exit ()V
L3: return
L4:
.linenumbertable
L0 38
.end linenumbertable
.end code
.end method
.method static synthetic access$200 : ()Ljava/io/BufferedOutputStream;
.code stack 1 locals 0
L0: getstatic Field ConnectSocket stdoutOutput Ljava/io/BufferedOutputStream;
L3: areturn
L4:
.linenumbertable
L0 38
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 1 locals 0
L0: aconst_null
L1: putstatic Field ConnectSocket stdoutOutput Ljava/io/BufferedOutputStream;
L4: aconst_null
L5: putstatic Field ConnectSocket networkServerOutput Ljava/io/BufferedOutputStream;
L8: return
L9:
.linenumbertable
L0 39
L4 40
.end linenumbertable
.end code
.end method
.sourcefile 'ConnectSocket.java'
.innerclasses
ConnectSocket$2 [0] [0] static
ConnectSocket$1 [0] [0] static
.end innerclasses
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 10:57: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.evosuite.runtime.System;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class ConnectSocket_ESTest extends ConnectSocket_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[3];
// Undeclared exception!
try {
ConnectSocket.main(stringArray0);
fail("Expecting exception: System.SystemExitException");
} catch(System.SystemExitException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("org.evosuite.runtime.System", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
String[] stringArray0 = new String[0];
// Undeclared exception!
try {
ConnectSocket.main(stringArray0);
fail("Expecting exception: System.SystemExitException");
} catch(System.SystemExitException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("org.evosuite.runtime.System", e);
}
}
@Test(timeout = 4000)
public void test2() throws Throwable {
String[] stringArray0 = new String[2];
// Undeclared exception!
try {
ConnectSocket.main(stringArray0);
fail("Expecting exception: NoClassDefFoundError");
} catch(NoClassDefFoundError e) {
//
// ConnectSocket$1
//
verifyException("ConnectSocket", e);
}
}
@Test(timeout = 4000)
public void test3() throws Throwable {
ConnectSocket connectSocket0 = new ConnectSocket();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 10:57: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 ConnectSocket_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 = "ConnectSocket";
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/tmph08hfyut");
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(ConnectSocket_ESTest_scaffolding.class.getClassLoader() ,
"ConnectSocket"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ConnectSocket_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ConnectSocket"
);
}
}
| 1,473 |
AttributeException | /**
* @author <a href="mailto:[email protected]">Marko Strukelj</a>
*/
public class AttributeException extends RuntimeException {
private final String attrName;
public AttributeException(String attrName, String message) {
super(message);
this.attrName = attrName;
}
public AttributeException(String attrName, String message, Throwable th) {
super(message, th);
this.attrName = attrName;
}
public String getAttributeName() {
return attrName;
}
}
| .version 52 0
.class public super AttributeException
.super java/lang/RuntimeException
.field private final attrName Ljava/lang/String;
.method public <init> : (Ljava/lang/String;Ljava/lang/String;)V
.code stack 2 locals 3
L0: aload_0
L1: aload_2
L2: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V
L5: aload_0
L6: aload_1
L7: putfield Field AttributeException attrName Ljava/lang/String;
L10: return
L11:
.linenumbertable
L0 11
L5 12
L10 13
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;Ljava/lang/String;Ljava/lang/Throwable;)V
.code stack 3 locals 4
L0: aload_0
L1: aload_2
L2: aload_3
L3: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;Ljava/lang/Throwable;)V
L6: aload_0
L7: aload_1
L8: putfield Field AttributeException attrName Ljava/lang/String;
L11: return
L12:
.linenumbertable
L0 16
L6 17
L11 18
.end linenumbertable
.end code
.end method
.method public getAttributeName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field AttributeException attrName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 21
.end linenumbertable
.end code
.end method
.sourcefile 'AttributeException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 10:35:36 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 AttributeException_ESTest extends AttributeException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
MockThrowable mockThrowable0 = new MockThrowable();
AttributeException attributeException0 = new AttributeException((String) null, (String) null, mockThrowable0);
String string0 = attributeException0.getAttributeName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
AttributeException attributeException0 = new AttributeException("", ":Hn/|t$&&.}:16k");
AttributeException attributeException1 = new AttributeException("vUIex!,k<#%,D", "vUIex!,k<#%,D", attributeException0);
String string0 = attributeException1.getAttributeName();
assertEquals("vUIex!,k<#%,D", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
AttributeException attributeException0 = new AttributeException("", ":Hn/|t$&&.}:16k");
String string0 = attributeException0.getAttributeName();
assertEquals("", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 10:35: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 AttributeException_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 = "AttributeException";
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/tmp6yb1aguh");
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(AttributeException_ESTest_scaffolding.class.getClassLoader() ,
"AttributeException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AttributeException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"AttributeException"
);
}
}
| 1,474 |
UncErrorBean | /*
* Copyright (c) 2012-2014 NEC Corporation
* All rights reserved.
*
* This program and the accompanying materials are made available under the
* terms of the Eclipse Public License v1.0 which accompanies this
* distribution, and is available at http://www.eclipse.org/legal/epl-v10.html
*/
public class UncErrorBean {
private String errorCodeKey;
private String errorCode;
private String javaAPIErrorMessage;
private String southboundErrorMessage;
public final String getErrorCodeKey() {
return errorCodeKey;
}
public final void setErrorCodeKey(final String errorCodeKey) {
this.errorCodeKey = errorCodeKey;
}
public final String getErrorCode() {
return errorCode;
}
public final void setErrorCode(final String errorCode) {
this.errorCode = errorCode;
}
public final String getJavaAPIErrorMessage() {
return javaAPIErrorMessage;
}
public final void setJavaAPIErrorMessage(final String javaAPIErrorMessage) {
this.javaAPIErrorMessage = javaAPIErrorMessage;
}
public final String getSouthboundErrorMessage() {
return southboundErrorMessage;
}
public final void setSouthboundErrorMessage(final String southboundErrorMessage) {
this.southboundErrorMessage = southboundErrorMessage;
}
}
| .version 52 0
.class public super UncErrorBean
.super java/lang/Object
.field private errorCodeKey Ljava/lang/String;
.field private errorCode Ljava/lang/String;
.field private javaAPIErrorMessage Ljava/lang/String;
.field private southboundErrorMessage 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 11
.end linenumbertable
.end code
.end method
.method public final getErrorCodeKey : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UncErrorBean errorCodeKey Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 19
.end linenumbertable
.end code
.end method
.method public final setErrorCodeKey : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UncErrorBean errorCodeKey Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 23
L5 24
.end linenumbertable
.end code
.end method
.method public final getErrorCode : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UncErrorBean errorCode Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 27
.end linenumbertable
.end code
.end method
.method public final setErrorCode : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UncErrorBean errorCode Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 31
L5 32
.end linenumbertable
.end code
.end method
.method public final getJavaAPIErrorMessage : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UncErrorBean javaAPIErrorMessage Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 35
.end linenumbertable
.end code
.end method
.method public final setJavaAPIErrorMessage : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UncErrorBean javaAPIErrorMessage Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 39
L5 40
.end linenumbertable
.end code
.end method
.method public final getSouthboundErrorMessage : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UncErrorBean southboundErrorMessage Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 43
.end linenumbertable
.end code
.end method
.method public final setSouthboundErrorMessage : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UncErrorBean southboundErrorMessage Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 48
L5 49
.end linenumbertable
.end code
.end method
.sourcefile 'UncErrorBean.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 03:55: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 UncErrorBean_ESTest extends UncErrorBean_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
UncErrorBean uncErrorBean0 = new UncErrorBean();
uncErrorBean0.setSouthboundErrorMessage("UncErrorBean");
String string0 = uncErrorBean0.getSouthboundErrorMessage();
assertEquals("UncErrorBean", string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
UncErrorBean uncErrorBean0 = new UncErrorBean();
uncErrorBean0.setJavaAPIErrorMessage("ZA:Ejh[@5AL=D-jF");
String string0 = uncErrorBean0.getJavaAPIErrorMessage();
assertEquals("ZA:Ejh[@5AL=D-jF", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
UncErrorBean uncErrorBean0 = new UncErrorBean();
uncErrorBean0.setErrorCodeKey("");
String string0 = uncErrorBean0.getErrorCodeKey();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
UncErrorBean uncErrorBean0 = new UncErrorBean();
uncErrorBean0.setErrorCode("UncErrorBean");
String string0 = uncErrorBean0.getErrorCode();
assertEquals("UncErrorBean", string0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
UncErrorBean uncErrorBean0 = new UncErrorBean();
uncErrorBean0.setErrorCodeKey("`L[i/@:MtUrx5RHE6");
String string0 = uncErrorBean0.getErrorCodeKey();
assertEquals("`L[i/@:MtUrx5RHE6", string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
UncErrorBean uncErrorBean0 = new UncErrorBean();
uncErrorBean0.setErrorCode("");
String string0 = uncErrorBean0.getErrorCode();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
UncErrorBean uncErrorBean0 = new UncErrorBean();
uncErrorBean0.setJavaAPIErrorMessage("");
String string0 = uncErrorBean0.getJavaAPIErrorMessage();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
UncErrorBean uncErrorBean0 = new UncErrorBean();
String string0 = uncErrorBean0.getErrorCodeKey();
assertNull(string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
UncErrorBean uncErrorBean0 = new UncErrorBean();
String string0 = uncErrorBean0.getSouthboundErrorMessage();
assertNull(string0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
UncErrorBean uncErrorBean0 = new UncErrorBean();
uncErrorBean0.setSouthboundErrorMessage("");
String string0 = uncErrorBean0.getSouthboundErrorMessage();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
UncErrorBean uncErrorBean0 = new UncErrorBean();
String string0 = uncErrorBean0.getJavaAPIErrorMessage();
assertNull(string0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
UncErrorBean uncErrorBean0 = new UncErrorBean();
String string0 = uncErrorBean0.getErrorCode();
assertNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 03:55: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 UncErrorBean_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 = "UncErrorBean";
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/tmpd1s0ysos");
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(UncErrorBean_ESTest_scaffolding.class.getClassLoader() ,
"UncErrorBean"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UncErrorBean_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"UncErrorBean"
);
}
}
| 1,475 |
StreamRedirectThread | /*
* Copyright (c) 2001, 2011, 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. Oracle designates this
* particular file as subject to the "Classpath" exception as provided
* by Oracle in the LICENSE file that accompanied this code.
*
* 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.
*/
/*
* This source code is provided to illustrate the usage of a given feature
* or technique and has been deliberately simplified. Additional steps
* required for a production-quality application, such as security checks,
* input validation and proper error handling, might not be present in
* this sample code.
*/
import java.io.*;
/**
* StreamRedirectThread is a thread which copies it's input to it's output and terminates when it
* completes.
*
* @author Robert Field
*/
class StreamRedirectThread extends Thread {
private final Reader in;
private final Writer out;
private static final int BUFFER_SIZE = 2048;
/**
* Set up for copy.
*
* @param name Name of the thread
* @param in Stream to copy from
* @param out Stream to copy to
*/
StreamRedirectThread(String name, InputStream in, OutputStream out) {
super(name);
this.in = new InputStreamReader(in);
this.out = new OutputStreamWriter(out);
setPriority(Thread.MAX_PRIORITY - 1);
}
/** Copy. */
@Override
public void run() {
try {
char[] cbuf = new char[BUFFER_SIZE];
int count;
while ((count = in.read(cbuf, 0, BUFFER_SIZE)) >= 0) {
out.write(cbuf, 0, count);
}
out.flush();
} catch (IOException exc) {
System.err.println("Child I/O Transfer - " + exc);
}
}
}
| .version 52 0
.class super StreamRedirectThread
.super java/lang/Thread
.field private final in Ljava/io/Reader;
.field private final out Ljava/io/Writer;
.field private static final BUFFER_SIZE I = 2048
.method <init> : (Ljava/lang/String;Ljava/io/InputStream;Ljava/io/OutputStream;)V
.code stack 4 locals 4
L0: aload_0
L1: aload_1
L2: invokespecial Method java/lang/Thread <init> (Ljava/lang/String;)V
L5: aload_0
L6: new java/io/InputStreamReader
L9: dup
L10: aload_2
L11: invokespecial Method java/io/InputStreamReader <init> (Ljava/io/InputStream;)V
L14: putfield Field StreamRedirectThread in Ljava/io/Reader;
L17: aload_0
L18: new java/io/OutputStreamWriter
L21: dup
L22: aload_3
L23: invokespecial Method java/io/OutputStreamWriter <init> (Ljava/io/OutputStream;)V
L26: putfield Field StreamRedirectThread out Ljava/io/Writer;
L29: aload_0
L30: bipush 9
L32: invokevirtual Method StreamRedirectThread setPriority (I)V
L35: return
L36:
.linenumbertable
L0 59
L5 60
L17 61
L29 62
L35 63
.end linenumbertable
.end code
.end method
.method public run : ()V
.code stack 4 locals 3
.catch java/io/IOException from L0 to L43 using L46
L0: sipush 2048
L3: newarray char
L5: astore_1
.stack append Object [C
L6: aload_0
L7: getfield Field StreamRedirectThread in Ljava/io/Reader;
L10: aload_1
L11: iconst_0
L12: sipush 2048
L15: invokevirtual Method java/io/Reader read ([CII)I
L18: dup
L19: istore_2
L20: iflt L36
L23: aload_0
L24: getfield Field StreamRedirectThread out Ljava/io/Writer;
L27: aload_1
L28: iconst_0
L29: iload_2
L30: invokevirtual Method java/io/Writer write ([CII)V
L33: goto L6
.stack append Integer
L36: aload_0
L37: getfield Field StreamRedirectThread out Ljava/io/Writer;
L40: invokevirtual Method java/io/Writer flush ()V
L43: goto L72
.stack full
locals Object StreamRedirectThread
stack Object java/io/IOException
.end stack
L46: astore_1
L47: getstatic Field java/lang/System err Ljava/io/PrintStream;
L50: new java/lang/StringBuilder
L53: dup
L54: invokespecial Method java/lang/StringBuilder <init> ()V
L57: ldc 'Child I/O Transfer - '
L59: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L62: aload_1
L63: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L66: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L69: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack same
L72: return
L73:
.linenumbertable
L0 71
L6 73
L23 74
L36 76
L43 79
L46 77
L47 78
L72 80
.end linenumbertable
.end code
.end method
.sourcefile 'StreamRedirectThread.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 01:16:58 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.io.BufferedInputStream;
import java.io.ByteArrayInputStream;
import java.io.PipedOutputStream;
import java.io.PushbackInputStream;
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 StreamRedirectThread_ESTest extends StreamRedirectThread_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
byte[] byteArray0 = new byte[3];
ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0, (byte)0, 17641);
PushbackInputStream pushbackInputStream0 = new PushbackInputStream(byteArrayInputStream0);
BufferedInputStream bufferedInputStream0 = new BufferedInputStream(pushbackInputStream0);
PipedOutputStream pipedOutputStream0 = new PipedOutputStream();
StreamRedirectThread streamRedirectThread0 = new StreamRedirectThread("l3~#Ojg0p4", bufferedInputStream0, pipedOutputStream0);
streamRedirectThread0.run();
streamRedirectThread0.run();
assertFalse(streamRedirectThread0.isInterrupted());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 01:16: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 StreamRedirectThread_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 = "StreamRedirectThread";
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/tmp6xm9suaf");
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(StreamRedirectThread_ESTest_scaffolding.class.getClassLoader() ,
"StreamRedirectThread"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(StreamRedirectThread_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"StreamRedirectThread"
);
}
}
| 1,476 |
UnexpectedPostbackException | /** Created by Winston on 17/11/14. */
public class UnexpectedPostbackException extends Exception {}
| .version 52 0
.class public super UnexpectedPostbackException
.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 6
.end linenumbertable
.end code
.end method
.sourcefile 'UnexpectedPostbackException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 11:14: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 UnexpectedPostbackException_ESTest extends UnexpectedPostbackException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
UnexpectedPostbackException unexpectedPostbackException0 = new UnexpectedPostbackException();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 11:14: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 UnexpectedPostbackException_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 = "UnexpectedPostbackException";
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/tmp413829_8");
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(UnexpectedPostbackException_ESTest_scaffolding.class.getClassLoader() ,
"UnexpectedPostbackException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UnexpectedPostbackException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"UnexpectedPostbackException"
);
}
}
| 1,477 |
NLoptResult | public final class NLoptResult {
final int nlopt_result;
final double min_value;
public NLoptResult(int nlopt_result, double min_value) {
this.nlopt_result = nlopt_result;
this.min_value = min_value;
}
public final int result() {
return nlopt_result;
}
public final double minValue() {
return min_value;
}
}
| .version 52 0
.class public final super NLoptResult
.super java/lang/Object
.field final nlopt_result I
.field final min_value D
.method public <init> : (ID)V
.code stack 3 locals 4
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iload_1
L6: putfield Field NLoptResult nlopt_result I
L9: aload_0
L10: dload_2
L11: putfield Field NLoptResult min_value D
L14: return
L15:
.linenumbertable
L0 7
L4 8
L9 9
L14 10
.end linenumbertable
.end code
.end method
.method public final result : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field NLoptResult nlopt_result I
L4: ireturn
L5:
.linenumbertable
L0 11
.end linenumbertable
.end code
.end method
.method public final minValue : ()D
.code stack 2 locals 1
L0: aload_0
L1: getfield Field NLoptResult min_value D
L4: dreturn
L5:
.linenumbertable
L0 12
.end linenumbertable
.end code
.end method
.sourcefile 'NLoptResult.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 04:14: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 NLoptResult_ESTest extends NLoptResult_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
NLoptResult nLoptResult0 = new NLoptResult(5706, 35137.4649);
int int0 = nLoptResult0.result();
assertEquals(5706, int0);
assertEquals(35137.4649, nLoptResult0.minValue(), 1.0E-4);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
NLoptResult nLoptResult0 = new NLoptResult((-1), (-1));
int int0 = nLoptResult0.result();
assertEquals((-1), int0);
assertEquals((-1.0), nLoptResult0.minValue(), 1.0E-4);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
NLoptResult nLoptResult0 = new NLoptResult(0, 1.0);
double double0 = nLoptResult0.minValue();
assertEquals(1.0, double0, 1.0E-4);
assertEquals(0, nLoptResult0.result());
}
@Test(timeout = 4000)
public void test3() throws Throwable {
NLoptResult nLoptResult0 = new NLoptResult((-1), (-1));
double double0 = nLoptResult0.minValue();
assertEquals((-1.0), double0, 1.0E-4);
assertEquals((-1), nLoptResult0.result());
}
@Test(timeout = 4000)
public void test4() throws Throwable {
NLoptResult nLoptResult0 = new NLoptResult(0, 0);
double double0 = nLoptResult0.minValue();
assertEquals(0, nLoptResult0.result());
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
NLoptResult nLoptResult0 = new NLoptResult(0, 0);
int int0 = nLoptResult0.result();
assertEquals(0.0, nLoptResult0.minValue(), 1.0E-4);
assertEquals(0, int0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 04:14: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 NLoptResult_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 = "NLoptResult";
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/tmp2ebw7jef");
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(NLoptResult_ESTest_scaffolding.class.getClassLoader() ,
"NLoptResult"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(NLoptResult_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"NLoptResult"
);
}
}
| 1,478 |
GroupAffinityMask | /** used for Windows API Created by rhelbing on 31.03.17. */
public class GroupAffinityMask implements Comparable<GroupAffinityMask> {
final int groupId;
final long mask;
public GroupAffinityMask(int groupId, long mask) {
this.groupId = groupId;
this.mask = mask;
}
@Override
public boolean equals(Object o) {
if (this == o) return true;
if (o == null || getClass() != o.getClass()) return false;
GroupAffinityMask that = (GroupAffinityMask) o;
if (groupId != that.groupId) {
return false;
}
return mask == that.mask;
}
@Override
public int hashCode() {
int result = groupId;
result = 31 * result + (int) (mask ^ (mask >>> 32));
return result;
}
@Override
public int compareTo(GroupAffinityMask o) {
int res = Integer.compare(groupId, o.groupId);
if (res != 0) {
return res;
}
return Long.compare(mask, o.mask);
}
public long getMask() {
return mask;
}
public int getGroupId() {
return groupId;
}
public String toString() {
return groupId + "/0x" + Long.toHexString(mask);
}
}
| .version 52 0
.class public super GroupAffinityMask
.super java/lang/Object
.implements java/lang/Comparable
.field final groupId I
.field final mask J
.method public <init> : (IJ)V
.code stack 3 locals 4
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iload_1
L6: putfield Field GroupAffinityMask groupId I
L9: aload_0
L10: lload_2
L11: putfield Field GroupAffinityMask mask J
L14: return
L15:
.linenumbertable
L0 12
L4 13
L9 14
L14 15
.end linenumbertable
.end code
.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 GroupAffinityMask
L28: astore_2
L29: aload_0
L30: getfield Field GroupAffinityMask groupId I
L33: aload_2
L34: getfield Field GroupAffinityMask groupId I
L37: if_icmpeq L42
L40: iconst_0
L41: ireturn
.stack append Object GroupAffinityMask
L42: aload_0
L43: getfield Field GroupAffinityMask mask J
L46: aload_2
L47: getfield Field GroupAffinityMask mask J
L50: lcmp
L51: ifne L58
L54: iconst_1
L55: goto L59
.stack same
L58: iconst_0
.stack stack_1 Integer
L59: ireturn
L60:
.linenumbertable
L0 19
L7 20
L24 22
L29 24
L40 25
L42 27
.end linenumbertable
.end code
.end method
.method public hashCode : ()I
.code stack 6 locals 2
L0: aload_0
L1: getfield Field GroupAffinityMask groupId I
L4: istore_1
L5: bipush 31
L7: iload_1
L8: imul
L9: aload_0
L10: getfield Field GroupAffinityMask mask J
L13: aload_0
L14: getfield Field GroupAffinityMask mask J
L17: bipush 32
L19: lushr
L20: lxor
L21: l2i
L22: iadd
L23: istore_1
L24: iload_1
L25: ireturn
L26:
.linenumbertable
L0 32
L5 33
L24 34
.end linenumbertable
.end code
.end method
.method public compareTo : (LGroupAffinityMask;)I
.code stack 4 locals 3
L0: aload_0
L1: getfield Field GroupAffinityMask groupId I
L4: aload_1
L5: getfield Field GroupAffinityMask groupId I
L8: invokestatic Method java/lang/Integer compare (II)I
L11: istore_2
L12: iload_2
L13: ifeq L18
L16: iload_2
L17: ireturn
.stack append Integer
L18: aload_0
L19: getfield Field GroupAffinityMask mask J
L22: aload_1
L23: getfield Field GroupAffinityMask mask J
L26: invokestatic Method java/lang/Long compare (JJ)I
L29: ireturn
L30:
.linenumbertable
L0 39
L12 40
L16 41
L18 43
.end linenumbertable
.end code
.end method
.method public getMask : ()J
.code stack 2 locals 1
L0: aload_0
L1: getfield Field GroupAffinityMask mask J
L4: lreturn
L5:
.linenumbertable
L0 47
.end linenumbertable
.end code
.end method
.method public getGroupId : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field GroupAffinityMask groupId I
L4: ireturn
L5:
.linenumbertable
L0 51
.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: getfield Field GroupAffinityMask groupId I
L11: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L14: ldc '/0x'
L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L19: aload_0
L20: getfield Field GroupAffinityMask mask J
L23: invokestatic Method java/lang/Long toHexString (J)Ljava/lang/String;
L26: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L29: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L32: areturn
L33:
.linenumbertable
L0 55
.end linenumbertable
.end code
.end method
.method public bridge synthetic compareTo : (Ljava/lang/Object;)I
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: checkcast GroupAffinityMask
L5: invokevirtual Method GroupAffinityMask compareTo (LGroupAffinityMask;)I
L8: ireturn
L9:
.linenumbertable
L0 7
.end linenumbertable
.end code
.end method
.signature Ljava/lang/Object;Ljava/lang/Comparable<LGroupAffinityMask;>;
.sourcefile 'GroupAffinityMask.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 04:45: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 GroupAffinityMask_ESTest extends GroupAffinityMask_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
GroupAffinityMask groupAffinityMask0 = new GroupAffinityMask(0, (-85481L));
groupAffinityMask0.hashCode();
assertEquals(0, groupAffinityMask0.getGroupId());
assertEquals((-85481L), groupAffinityMask0.getMask());
}
@Test(timeout = 4000)
public void test01() throws Throwable {
GroupAffinityMask groupAffinityMask0 = new GroupAffinityMask(1, 43526L);
groupAffinityMask0.hashCode();
assertEquals(1, groupAffinityMask0.getGroupId());
assertEquals(43526L, groupAffinityMask0.getMask());
}
@Test(timeout = 4000)
public void test02() throws Throwable {
GroupAffinityMask groupAffinityMask0 = new GroupAffinityMask((-1), (-1));
GroupAffinityMask groupAffinityMask1 = new GroupAffinityMask((-1), 39510L);
boolean boolean0 = groupAffinityMask0.equals(groupAffinityMask1);
assertEquals((-1), groupAffinityMask1.getGroupId());
assertFalse(groupAffinityMask1.equals((Object)groupAffinityMask0));
assertEquals(39510L, groupAffinityMask1.getMask());
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
GroupAffinityMask groupAffinityMask0 = new GroupAffinityMask(87401, 87401);
GroupAffinityMask groupAffinityMask1 = new GroupAffinityMask(1, 1);
boolean boolean0 = groupAffinityMask1.equals(groupAffinityMask0);
assertEquals(1, groupAffinityMask1.getGroupId());
assertFalse(boolean0);
assertEquals(1L, groupAffinityMask1.getMask());
}
@Test(timeout = 4000)
public void test04() throws Throwable {
GroupAffinityMask groupAffinityMask0 = new GroupAffinityMask(1, 43526L);
long long0 = groupAffinityMask0.getMask();
assertEquals(43526L, long0);
assertEquals(1, groupAffinityMask0.getGroupId());
}
@Test(timeout = 4000)
public void test05() throws Throwable {
GroupAffinityMask groupAffinityMask0 = new GroupAffinityMask(0, (-85481L));
long long0 = groupAffinityMask0.getMask();
assertEquals((-85481L), long0);
assertEquals(0, groupAffinityMask0.getGroupId());
}
@Test(timeout = 4000)
public void test06() throws Throwable {
GroupAffinityMask groupAffinityMask0 = new GroupAffinityMask(43640, 0L);
int int0 = groupAffinityMask0.getGroupId();
assertEquals(43640, int0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
GroupAffinityMask groupAffinityMask0 = new GroupAffinityMask((-1), (-1));
int int0 = groupAffinityMask0.getGroupId();
assertEquals((-1), int0);
assertEquals((-1L), groupAffinityMask0.getMask());
}
@Test(timeout = 4000)
public void test08() throws Throwable {
GroupAffinityMask groupAffinityMask0 = new GroupAffinityMask(1, 43526L);
GroupAffinityMask groupAffinityMask1 = new GroupAffinityMask(0, 1L);
int int0 = groupAffinityMask1.compareTo(groupAffinityMask0);
assertEquals(1L, groupAffinityMask1.getMask());
assertEquals((-1), int0);
assertEquals(0, groupAffinityMask1.getGroupId());
}
@Test(timeout = 4000)
public void test09() throws Throwable {
GroupAffinityMask groupAffinityMask0 = new GroupAffinityMask(1, 43526L);
GroupAffinityMask groupAffinityMask1 = new GroupAffinityMask(0, 1L);
int int0 = groupAffinityMask0.compareTo(groupAffinityMask1);
assertEquals(0, groupAffinityMask1.getGroupId());
assertEquals(1L, groupAffinityMask1.getMask());
assertEquals(1, int0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
GroupAffinityMask groupAffinityMask0 = new GroupAffinityMask(0, 0);
int int0 = groupAffinityMask0.compareTo(groupAffinityMask0);
assertEquals(0, groupAffinityMask0.getGroupId());
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
GroupAffinityMask groupAffinityMask0 = new GroupAffinityMask((-1), (-1));
GroupAffinityMask groupAffinityMask1 = new GroupAffinityMask((-1), 0L);
boolean boolean0 = groupAffinityMask1.equals(groupAffinityMask0);
assertEquals((-1), groupAffinityMask1.getGroupId());
assertFalse(boolean0);
assertFalse(groupAffinityMask0.equals((Object)groupAffinityMask1));
assertEquals((-1L), groupAffinityMask0.getMask());
}
@Test(timeout = 4000)
public void test12() throws Throwable {
GroupAffinityMask groupAffinityMask0 = new GroupAffinityMask(1, 43526L);
GroupAffinityMask groupAffinityMask1 = new GroupAffinityMask(0, 1L);
boolean boolean0 = groupAffinityMask0.equals(groupAffinityMask1);
assertEquals(1, groupAffinityMask0.getGroupId());
assertEquals(1L, groupAffinityMask1.getMask());
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
GroupAffinityMask groupAffinityMask0 = new GroupAffinityMask(0, (-85481L));
boolean boolean0 = groupAffinityMask0.equals("0/0xfffffffffffeb217");
assertEquals(0, groupAffinityMask0.getGroupId());
assertEquals((-85481L), groupAffinityMask0.getMask());
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
GroupAffinityMask groupAffinityMask0 = new GroupAffinityMask(0, 0);
GroupAffinityMask groupAffinityMask1 = new GroupAffinityMask(0, 0L);
boolean boolean0 = groupAffinityMask0.equals(groupAffinityMask1);
assertEquals(0, groupAffinityMask1.getGroupId());
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
GroupAffinityMask groupAffinityMask0 = new GroupAffinityMask(0, 0);
boolean boolean0 = groupAffinityMask0.equals(groupAffinityMask0);
assertEquals(0, groupAffinityMask0.getGroupId());
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
GroupAffinityMask groupAffinityMask0 = new GroupAffinityMask((-82659), (-82659));
boolean boolean0 = groupAffinityMask0.equals((Object) null);
assertEquals((-82659), groupAffinityMask0.getGroupId());
assertFalse(boolean0);
assertEquals((-82659L), groupAffinityMask0.getMask());
}
@Test(timeout = 4000)
public void test17() throws Throwable {
GroupAffinityMask groupAffinityMask0 = new GroupAffinityMask(0, (-85481L));
int int0 = groupAffinityMask0.getGroupId();
assertEquals((-85481L), groupAffinityMask0.getMask());
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
GroupAffinityMask groupAffinityMask0 = new GroupAffinityMask(0, (-85481L));
String string0 = groupAffinityMask0.toString();
assertEquals("0/0xfffffffffffeb217", string0);
}
@Test(timeout = 4000)
public void test19() throws Throwable {
GroupAffinityMask groupAffinityMask0 = new GroupAffinityMask(0, 0);
groupAffinityMask0.getMask();
assertEquals(0, groupAffinityMask0.getGroupId());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 04:45: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 GroupAffinityMask_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 = "GroupAffinityMask";
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/tmp8cyx4h95");
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(GroupAffinityMask_ESTest_scaffolding.class.getClassLoader() ,
"GroupAffinityMask"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(GroupAffinityMask_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"GroupAffinityMask"
);
}
}
| 1,479 |
CardInfo | import java.math.BigDecimal;
import java.util.Date;
public class CardInfo implements java.io.Serializable {
/** */
private static final long serialVersionUID = 1L;
/** 学习卡代码 */
private String cardCode;
/** 学习卡密码 */
private String passWord;
/** 学习卡类型代码 */
private String cardTypeCode;
/** 电话号码 */
private String phoneNo;
/** 开始使用日期 */
private Date startDate;
/** 结束使用日期 */
private Date endDate;
/** 创建日期 */
private Date createDate;
/** 学习卡类型名称 */
private String cardTypeName;
/** 金额 */
private BigDecimal cardDeno;
/** 状态 */
private String statusName;
public CardInfo() {}
public String getCardCode() {
return cardCode;
}
public void setCardCode(String cardCode) {
this.cardCode = cardCode;
}
public String getPassWord() {
return passWord;
}
public void setPassWord(String passWord) {
this.passWord = passWord;
}
public String getCardTypeCode() {
return cardTypeCode;
}
public void setCardTypeCode(String cardTypeCode) {
this.cardTypeCode = cardTypeCode;
}
public String getPhoneNo() {
return phoneNo;
}
public void setPhoneNo(String phoneNo) {
this.phoneNo = phoneNo;
}
public Date getStartDate() {
return startDate;
}
public void setStartDate(Date startDate) {
this.startDate = startDate;
}
public Date getEndDate() {
return endDate;
}
public void setEndDate(Date endDate) {
this.endDate = endDate;
}
public Date getCreateDate() {
return createDate;
}
public void setCreateDate(Date createDate) {
this.createDate = createDate;
}
public String getCardTypeName() {
return cardTypeName;
}
public void setCardTypeName(String cardTypeName) {
this.cardTypeName = cardTypeName;
}
public BigDecimal getCardDeno() {
return cardDeno;
}
public void setCardDeno(BigDecimal cardDeno) {
this.cardDeno = cardDeno;
}
public String getStatusName() {
return statusName;
}
public void setStatusName(String statusName) {
this.statusName = statusName;
}
}
| .version 52 0
.class public super CardInfo
.super java/lang/Object
.implements java/io/Serializable
.field private static final serialVersionUID J = 1L
.field private cardCode Ljava/lang/String;
.field private passWord Ljava/lang/String;
.field private cardTypeCode Ljava/lang/String;
.field private phoneNo Ljava/lang/String;
.field private startDate Ljava/util/Date;
.field private endDate Ljava/util/Date;
.field private createDate Ljava/util/Date;
.field private cardTypeName Ljava/lang/String;
.field private cardDeno Ljava/math/BigDecimal;
.field private statusName 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 31
L4 32
.end linenumbertable
.end code
.end method
.method public getCardCode : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CardInfo cardCode Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 34
.end linenumbertable
.end code
.end method
.method public setCardCode : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field CardInfo cardCode Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 37
L5 38
.end linenumbertable
.end code
.end method
.method public getPassWord : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CardInfo passWord Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 40
.end linenumbertable
.end code
.end method
.method public setPassWord : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field CardInfo passWord Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 43
L5 44
.end linenumbertable
.end code
.end method
.method public getCardTypeCode : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CardInfo cardTypeCode Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 46
.end linenumbertable
.end code
.end method
.method public setCardTypeCode : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field CardInfo cardTypeCode Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 49
L5 50
.end linenumbertable
.end code
.end method
.method public getPhoneNo : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CardInfo phoneNo Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 52
.end linenumbertable
.end code
.end method
.method public setPhoneNo : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field CardInfo phoneNo Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 55
L5 56
.end linenumbertable
.end code
.end method
.method public getStartDate : ()Ljava/util/Date;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CardInfo startDate Ljava/util/Date;
L4: areturn
L5:
.linenumbertable
L0 58
.end linenumbertable
.end code
.end method
.method public setStartDate : (Ljava/util/Date;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field CardInfo startDate Ljava/util/Date;
L5: return
L6:
.linenumbertable
L0 61
L5 62
.end linenumbertable
.end code
.end method
.method public getEndDate : ()Ljava/util/Date;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CardInfo endDate Ljava/util/Date;
L4: areturn
L5:
.linenumbertable
L0 64
.end linenumbertable
.end code
.end method
.method public setEndDate : (Ljava/util/Date;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field CardInfo endDate Ljava/util/Date;
L5: return
L6:
.linenumbertable
L0 67
L5 68
.end linenumbertable
.end code
.end method
.method public getCreateDate : ()Ljava/util/Date;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CardInfo createDate Ljava/util/Date;
L4: areturn
L5:
.linenumbertable
L0 70
.end linenumbertable
.end code
.end method
.method public setCreateDate : (Ljava/util/Date;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field CardInfo createDate Ljava/util/Date;
L5: return
L6:
.linenumbertable
L0 73
L5 74
.end linenumbertable
.end code
.end method
.method public getCardTypeName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CardInfo cardTypeName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 76
.end linenumbertable
.end code
.end method
.method public setCardTypeName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field CardInfo cardTypeName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 79
L5 80
.end linenumbertable
.end code
.end method
.method public getCardDeno : ()Ljava/math/BigDecimal;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CardInfo cardDeno Ljava/math/BigDecimal;
L4: areturn
L5:
.linenumbertable
L0 82
.end linenumbertable
.end code
.end method
.method public setCardDeno : (Ljava/math/BigDecimal;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field CardInfo cardDeno Ljava/math/BigDecimal;
L5: return
L6:
.linenumbertable
L0 85
L5 86
.end linenumbertable
.end code
.end method
.method public getStatusName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CardInfo statusName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 88
.end linenumbertable
.end code
.end method
.method public setStatusName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field CardInfo statusName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 91
L5 92
.end linenumbertable
.end code
.end method
.sourcefile 'CardInfo.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 01:57:13 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.math.BigDecimal;
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 CardInfo_ESTest extends CardInfo_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
cardInfo0.setStatusName("V69");
String string0 = cardInfo0.getStatusName();
assertEquals("V69", string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
cardInfo0.setStatusName("");
String string0 = cardInfo0.getStatusName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
MockDate mockDate0 = new MockDate(10666, 10666, 10666);
cardInfo0.setStartDate(mockDate0);
Date date0 = cardInfo0.getStartDate();
assertSame(date0, mockDate0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
cardInfo0.setPhoneNo("G\"cD3,!?2aA");
String string0 = cardInfo0.getPhoneNo();
assertEquals("G\"cD3,!?2aA", string0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
cardInfo0.setPhoneNo("");
String string0 = cardInfo0.getPhoneNo();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
cardInfo0.setPassWord("");
String string0 = cardInfo0.getPassWord();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
MockDate mockDate0 = new MockDate();
cardInfo0.setEndDate(mockDate0);
Date date0 = cardInfo0.getEndDate();
assertEquals("Fri Feb 14 20:21:21 GMT 2014", date0.toString());
}
@Test(timeout = 4000)
public void test07() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
MockDate mockDate0 = new MockDate(67568, (-42162), 67568);
cardInfo0.setCreateDate(mockDate0);
Date date0 = cardInfo0.getCreateDate();
assertEquals("Sun Jun 28 00:00:00 GMT 66139", date0.toString());
}
@Test(timeout = 4000)
public void test08() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
cardInfo0.setCardTypeName("Nt5C7s{<`/Y");
String string0 = cardInfo0.getCardTypeName();
assertEquals("Nt5C7s{<`/Y", string0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
cardInfo0.setCardTypeName("");
String string0 = cardInfo0.getCardTypeName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
cardInfo0.setCardTypeCode("F@biVTA91wx");
String string0 = cardInfo0.getCardTypeCode();
assertNotNull(string0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
cardInfo0.setCardTypeCode("");
String string0 = cardInfo0.getCardTypeCode();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
BigDecimal bigDecimal0 = new BigDecimal(0);
cardInfo0.setCardDeno(bigDecimal0);
BigDecimal bigDecimal1 = cardInfo0.getCardDeno();
assertSame(bigDecimal1, bigDecimal0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
BigDecimal bigDecimal0 = BigDecimal.TEN;
cardInfo0.setCardDeno(bigDecimal0);
BigDecimal bigDecimal1 = cardInfo0.getCardDeno();
assertEquals((short)10, bigDecimal1.shortValue());
}
@Test(timeout = 4000)
public void test14() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
BigDecimal bigDecimal0 = new BigDecimal((-67349L));
cardInfo0.setCardDeno(bigDecimal0);
BigDecimal bigDecimal1 = cardInfo0.getCardDeno();
assertEquals((byte) (-21), bigDecimal1.byteValue());
}
@Test(timeout = 4000)
public void test15() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
cardInfo0.setCardCode("u2-ebo)jLxiEJMsZ");
String string0 = cardInfo0.getCardCode();
assertEquals("u2-ebo)jLxiEJMsZ", string0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
String string0 = cardInfo0.getPassWord();
assertNull(string0);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
String string0 = cardInfo0.getPhoneNo();
assertNull(string0);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
Date date0 = cardInfo0.getCreateDate();
assertNull(date0);
}
@Test(timeout = 4000)
public void test19() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
String string0 = cardInfo0.getCardTypeCode();
assertNull(string0);
}
@Test(timeout = 4000)
public void test20() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
cardInfo0.setCardCode("");
String string0 = cardInfo0.getCardCode();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test21() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
String string0 = cardInfo0.getStatusName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test22() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
cardInfo0.setPassWord("3&`o(i*'xt/Jhgz");
String string0 = cardInfo0.getPassWord();
assertEquals("3&`o(i*'xt/Jhgz", string0);
}
@Test(timeout = 4000)
public void test23() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
String string0 = cardInfo0.getCardTypeName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test24() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
Date date0 = cardInfo0.getEndDate();
assertNull(date0);
}
@Test(timeout = 4000)
public void test25() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
Date date0 = cardInfo0.getStartDate();
assertNull(date0);
}
@Test(timeout = 4000)
public void test26() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
BigDecimal bigDecimal0 = cardInfo0.getCardDeno();
assertNull(bigDecimal0);
}
@Test(timeout = 4000)
public void test27() throws Throwable {
CardInfo cardInfo0 = new CardInfo();
String string0 = cardInfo0.getCardCode();
assertNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 01:57: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 CardInfo_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 = "CardInfo";
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/tmp5255nxgg");
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(CardInfo_ESTest_scaffolding.class.getClassLoader() ,
"CardInfo"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CardInfo_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"CardInfo"
);
}
}
| 1,480 |
InsufficientBalanceError | public final class InsufficientBalanceError extends Error {
private int amount;
public InsufficientBalanceError(int amount) {
this.amount = amount;
}
public int getAmount() {
return amount;
}
}
| .version 52 0
.class public final super InsufficientBalanceError
.super java/lang/Error
.field private amount I
.method public <init> : (I)V
.code stack 2 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Error <init> ()V
L4: aload_0
L5: iload_1
L6: putfield Field InsufficientBalanceError amount I
L9: return
L10:
.linenumbertable
L0 7
L4 8
L9 9
.end linenumbertable
.end code
.end method
.method public getAmount : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field InsufficientBalanceError amount I
L4: ireturn
L5:
.linenumbertable
L0 12
.end linenumbertable
.end code
.end method
.sourcefile 'InsufficientBalanceError.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 02:40:40 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 InsufficientBalanceError_ESTest extends InsufficientBalanceError_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
InsufficientBalanceError insufficientBalanceError0 = new InsufficientBalanceError(0);
int int0 = insufficientBalanceError0.getAmount();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
InsufficientBalanceError insufficientBalanceError0 = new InsufficientBalanceError(1);
int int0 = insufficientBalanceError0.getAmount();
assertEquals(1, int0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
InsufficientBalanceError insufficientBalanceError0 = new InsufficientBalanceError((-23444));
int int0 = insufficientBalanceError0.getAmount();
assertEquals((-23444), int0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 02:40:40 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class InsufficientBalanceError_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 = "InsufficientBalanceError";
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/tmp3b32agpd");
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(InsufficientBalanceError_ESTest_scaffolding.class.getClassLoader() ,
"InsufficientBalanceError"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(InsufficientBalanceError_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"InsufficientBalanceError"
);
}
}
| 1,481 |
FileOfCourse | public class FileOfCourse {
private int file_id;
/**
* @return file_id
*/
public int getFile_id() {
return file_id;
}
/**
* @param file_id Ҫ���õ� file_id
*/
public void setFile_id(int file_id) {
this.file_id = file_id;
}
/**
* @return file_name
*/
public String getFile_name() {
return file_name;
}
/**
* @param file_name Ҫ���õ� file_name
*/
public void setFile_name(String file_name) {
this.file_name = file_name;
}
/**
* @return file_size
*/
public int getFile_size() {
return file_size;
}
/**
* @param file_size Ҫ���õ� file_size
*/
public void setFile_size(int file_size) {
this.file_size = file_size;
}
/**
* @return file_path
*/
public String getFile_path() {
return file_path;
}
/**
* @param file_path Ҫ���õ� file_path
*/
public void setFile_path(String file_path) {
this.file_path = file_path;
}
/**
* @return file_DateTime
*/
public String getFile_DateTime() {
return file_DateTime;
}
/**
* @param file_DateTime Ҫ���õ� file_DateTime
*/
public void setFile_DateTime(String file_DateTime) {
this.file_DateTime = file_DateTime;
}
/**
* @return file_type
*/
public String getFile_type() {
return file_type;
}
/**
* @param file_type Ҫ���õ� file_type
*/
public void setFile_type(String file_type) {
this.file_type = file_type;
}
/**
* @return filecomment
*/
public String getFilecomment() {
return filecomment;
}
/**
* @param filecomment Ҫ���õ� filecomment
*/
public void setFilecomment(String filecomment) {
this.filecomment = filecomment;
}
/**
* @return tag
*/
public int getTag() {
return tag;
}
/**
* @param tag Ҫ���õ� tag
*/
public void setTag(int tag) {
this.tag = tag;
}
/**
* @return course_id
*/
public int getCourse_id() {
return course_id;
}
/**
* @param course_id Ҫ���õ� course_id
*/
public void setCourse_id(int course_id) {
this.course_id = course_id;
}
private String file_name;
private int file_size;
private String file_path;
private String file_DateTime;
private String file_type;
private String filecomment;
private int tag; // 1���� 0ɾ��
private int course_id;
}
| .version 52 0
.class public super FileOfCourse
.super java/lang/Object
.field private file_id I
.field private file_name Ljava/lang/String;
.field private file_size I
.field private file_path Ljava/lang/String;
.field private file_DateTime Ljava/lang/String;
.field private file_type Ljava/lang/String;
.field private filecomment Ljava/lang/String;
.field private tag I
.field private course_id I
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 3
.end linenumbertable
.end code
.end method
.method public getFile_id : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field FileOfCourse file_id I
L4: ireturn
L5:
.linenumbertable
L0 11
.end linenumbertable
.end code
.end method
.method public setFile_id : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field FileOfCourse file_id I
L5: return
L6:
.linenumbertable
L0 19
L5 20
.end linenumbertable
.end code
.end method
.method public getFile_name : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field FileOfCourse file_name Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 27
.end linenumbertable
.end code
.end method
.method public setFile_name : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field FileOfCourse file_name Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 35
L5 36
.end linenumbertable
.end code
.end method
.method public getFile_size : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field FileOfCourse file_size I
L4: ireturn
L5:
.linenumbertable
L0 43
.end linenumbertable
.end code
.end method
.method public setFile_size : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field FileOfCourse file_size I
L5: return
L6:
.linenumbertable
L0 51
L5 52
.end linenumbertable
.end code
.end method
.method public getFile_path : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field FileOfCourse file_path Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 59
.end linenumbertable
.end code
.end method
.method public setFile_path : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field FileOfCourse file_path Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 67
L5 68
.end linenumbertable
.end code
.end method
.method public getFile_DateTime : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field FileOfCourse file_DateTime Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 75
.end linenumbertable
.end code
.end method
.method public setFile_DateTime : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field FileOfCourse file_DateTime Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 83
L5 84
.end linenumbertable
.end code
.end method
.method public getFile_type : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field FileOfCourse file_type Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 91
.end linenumbertable
.end code
.end method
.method public setFile_type : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field FileOfCourse file_type Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 99
L5 100
.end linenumbertable
.end code
.end method
.method public getFilecomment : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field FileOfCourse filecomment Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 107
.end linenumbertable
.end code
.end method
.method public setFilecomment : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field FileOfCourse filecomment Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 115
L5 116
.end linenumbertable
.end code
.end method
.method public getTag : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field FileOfCourse tag I
L4: ireturn
L5:
.linenumbertable
L0 123
.end linenumbertable
.end code
.end method
.method public setTag : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field FileOfCourse tag I
L5: return
L6:
.linenumbertable
L0 131
L5 132
.end linenumbertable
.end code
.end method
.method public getCourse_id : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field FileOfCourse course_id I
L4: ireturn
L5:
.linenumbertable
L0 139
.end linenumbertable
.end code
.end method
.method public setCourse_id : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field FileOfCourse course_id I
L5: return
L6:
.linenumbertable
L0 147
L5 148
.end linenumbertable
.end code
.end method
.sourcefile 'FileOfCourse.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 14:08:26 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 FileOfCourse_ESTest extends FileOfCourse_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
FileOfCourse fileOfCourse0 = new FileOfCourse();
fileOfCourse0.setTag(20485);
int int0 = fileOfCourse0.getTag();
assertEquals(20485, int0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
FileOfCourse fileOfCourse0 = new FileOfCourse();
fileOfCourse0.setFilecomment("(N=G~t<%j5Zqq@O{:D");
String string0 = fileOfCourse0.getFilecomment();
assertEquals("(N=G~t<%j5Zqq@O{:D", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
FileOfCourse fileOfCourse0 = new FileOfCourse();
fileOfCourse0.setFilecomment("");
String string0 = fileOfCourse0.getFilecomment();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
FileOfCourse fileOfCourse0 = new FileOfCourse();
fileOfCourse0.setFile_type("uD=dq/TmK|p;");
String string0 = fileOfCourse0.getFile_type();
assertEquals("uD=dq/TmK|p;", string0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
FileOfCourse fileOfCourse0 = new FileOfCourse();
fileOfCourse0.setFile_type("");
String string0 = fileOfCourse0.getFile_type();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
FileOfCourse fileOfCourse0 = new FileOfCourse();
fileOfCourse0.setFile_size(5868);
int int0 = fileOfCourse0.getFile_size();
assertEquals(5868, int0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
FileOfCourse fileOfCourse0 = new FileOfCourse();
fileOfCourse0.setFile_path("L!Sh4,6gk4}.{");
String string0 = fileOfCourse0.getFile_path();
assertEquals("L!Sh4,6gk4}.{", string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
FileOfCourse fileOfCourse0 = new FileOfCourse();
fileOfCourse0.setFile_name("<FuXlAVIy&H}-IeQt8");
String string0 = fileOfCourse0.getFile_name();
assertEquals("<FuXlAVIy&H}-IeQt8", string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
FileOfCourse fileOfCourse0 = new FileOfCourse();
fileOfCourse0.setFile_name("");
String string0 = fileOfCourse0.getFile_name();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
FileOfCourse fileOfCourse0 = new FileOfCourse();
fileOfCourse0.setFile_id(74510);
int int0 = fileOfCourse0.getFile_id();
assertEquals(74510, int0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
FileOfCourse fileOfCourse0 = new FileOfCourse();
fileOfCourse0.setFile_DateTime("");
String string0 = fileOfCourse0.getFile_DateTime();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
FileOfCourse fileOfCourse0 = new FileOfCourse();
fileOfCourse0.setCourse_id(1);
int int0 = fileOfCourse0.getCourse_id();
assertEquals(1, int0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
FileOfCourse fileOfCourse0 = new FileOfCourse();
fileOfCourse0.setFile_id((-8182));
int int0 = fileOfCourse0.getFile_id();
assertEquals((-8182), int0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
FileOfCourse fileOfCourse0 = new FileOfCourse();
int int0 = fileOfCourse0.getFile_size();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
FileOfCourse fileOfCourse0 = new FileOfCourse();
String string0 = fileOfCourse0.getFile_type();
assertNull(string0);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
FileOfCourse fileOfCourse0 = new FileOfCourse();
String string0 = fileOfCourse0.getFile_DateTime();
assertNull(string0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
FileOfCourse fileOfCourse0 = new FileOfCourse();
fileOfCourse0.setTag((-19323));
int int0 = fileOfCourse0.getTag();
assertEquals((-19323), int0);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
FileOfCourse fileOfCourse0 = new FileOfCourse();
fileOfCourse0.setFile_size((-19104));
int int0 = fileOfCourse0.getFile_size();
assertEquals((-19104), int0);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
FileOfCourse fileOfCourse0 = new FileOfCourse();
fileOfCourse0.setFile_path("");
String string0 = fileOfCourse0.getFile_path();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test19() throws Throwable {
FileOfCourse fileOfCourse0 = new FileOfCourse();
int int0 = fileOfCourse0.getTag();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test20() throws Throwable {
FileOfCourse fileOfCourse0 = new FileOfCourse();
String string0 = fileOfCourse0.getFilecomment();
assertNull(string0);
}
@Test(timeout = 4000)
public void test21() throws Throwable {
FileOfCourse fileOfCourse0 = new FileOfCourse();
fileOfCourse0.setCourse_id((-1));
int int0 = fileOfCourse0.getCourse_id();
assertEquals((-1), int0);
}
@Test(timeout = 4000)
public void test22() throws Throwable {
FileOfCourse fileOfCourse0 = new FileOfCourse();
int int0 = fileOfCourse0.getCourse_id();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test23() throws Throwable {
FileOfCourse fileOfCourse0 = new FileOfCourse();
int int0 = fileOfCourse0.getFile_id();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test24() throws Throwable {
FileOfCourse fileOfCourse0 = new FileOfCourse();
fileOfCourse0.setFile_DateTime("FileOfCourse");
String string0 = fileOfCourse0.getFile_DateTime();
assertEquals("FileOfCourse", string0);
}
@Test(timeout = 4000)
public void test25() throws Throwable {
FileOfCourse fileOfCourse0 = new FileOfCourse();
String string0 = fileOfCourse0.getFile_name();
assertNull(string0);
}
@Test(timeout = 4000)
public void test26() throws Throwable {
FileOfCourse fileOfCourse0 = new FileOfCourse();
String string0 = fileOfCourse0.getFile_path();
assertNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 14:08: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 FileOfCourse_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 = "FileOfCourse";
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/tmpaqenm8i8");
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(FileOfCourse_ESTest_scaffolding.class.getClassLoader() ,
"FileOfCourse"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(FileOfCourse_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"FileOfCourse"
);
}
}
| 1,482 |
ExecutedEdge | /*
* A container that holds information about an edge that has been executed
*/
public class ExecutedEdge implements Comparable<ExecutedEdge> {
private int fromVertex = 0, toVertex = 0;
public ExecutedEdge(int fromVertex, int toVertex) {
this.fromVertex = fromVertex;
this.toVertex = toVertex;
}
public int compareTo(ExecutedEdge other) {
if (other.fromVertex == this.fromVertex && other.toVertex == this.toVertex) return 1;
else return 0;
}
public int getFromVertex() {
return this.fromVertex;
}
public int getToVertex() {
return this.toVertex;
}
public boolean equals(Object o) {
if (o == null) return false;
if (o == this) return true;
if (!(o instanceof ExecutedEdge)) return false;
return (((ExecutedEdge) o).compareTo(this) == 1);
}
public String toString() {
return fromVertex + " -> " + toVertex;
}
}
| .version 52 0
.class public super ExecutedEdge
.super java/lang/Object
.implements java/lang/Comparable
.field private fromVertex I
.field private toVertex 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: iconst_0
L6: putfield Field ExecutedEdge fromVertex I
L9: aload_0
L10: iconst_0
L11: putfield Field ExecutedEdge toVertex I
L14: aload_0
L15: iload_1
L16: putfield Field ExecutedEdge fromVertex I
L19: aload_0
L20: iload_2
L21: putfield Field ExecutedEdge toVertex I
L24: return
L25:
.linenumbertable
L0 10
L4 8
L14 11
L19 12
L24 13
.end linenumbertable
.end code
.end method
.method public compareTo : (LExecutedEdge;)I
.code stack 2 locals 2
L0: aload_1
L1: getfield Field ExecutedEdge fromVertex I
L4: aload_0
L5: getfield Field ExecutedEdge fromVertex I
L8: if_icmpne L24
L11: aload_1
L12: getfield Field ExecutedEdge toVertex I
L15: aload_0
L16: getfield Field ExecutedEdge toVertex I
L19: if_icmpne L24
L22: iconst_1
L23: ireturn
.stack same
L24: iconst_0
L25: ireturn
L26:
.linenumbertable
L0 16
L22 18
L24 20
.end linenumbertable
.end code
.end method
.method public getFromVertex : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ExecutedEdge fromVertex I
L4: ireturn
L5:
.linenumbertable
L0 24
.end linenumbertable
.end code
.end method
.method public getToVertex : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ExecutedEdge toVertex I
L4: ireturn
L5:
.linenumbertable
L0 28
.end linenumbertable
.end code
.end method
.method public equals : (Ljava/lang/Object;)Z
.code stack 2 locals 2
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 ExecutedEdge
L17: ifne L22
L20: iconst_0
L21: ireturn
.stack same
L22: aload_1
L23: checkcast ExecutedEdge
L26: aload_0
L27: invokevirtual Method ExecutedEdge compareTo (LExecutedEdge;)I
L30: iconst_1
L31: if_icmpne L38
L34: iconst_1
L35: goto L39
.stack same
L38: iconst_0
.stack stack_1 Integer
L39: ireturn
L40:
.linenumbertable
L0 32
L4 33
L6 35
L11 36
L13 38
L20 39
L22 41
.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: aload_0
L8: getfield Field ExecutedEdge fromVertex I
L11: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L14: ldc ' -> '
L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L19: aload_0
L20: getfield Field ExecutedEdge toVertex I
L23: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L26: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L29: areturn
L30:
.linenumbertable
L0 45
.end linenumbertable
.end code
.end method
.method public bridge synthetic compareTo : (Ljava/lang/Object;)I
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: checkcast ExecutedEdge
L5: invokevirtual Method ExecutedEdge compareTo (LExecutedEdge;)I
L8: ireturn
L9:
.linenumbertable
L0 6
.end linenumbertable
.end code
.end method
.signature Ljava/lang/Object;Ljava/lang/Comparable<LExecutedEdge;>;
.sourcefile 'ExecutedEdge.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 11:30:40 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 ExecutedEdge_ESTest extends ExecutedEdge_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
ExecutedEdge executedEdge0 = new ExecutedEdge((-1), (-1));
ExecutedEdge executedEdge1 = new ExecutedEdge((-1), 0);
boolean boolean0 = executedEdge0.equals(executedEdge1);
assertEquals((-1), executedEdge0.getToVertex());
assertEquals((-1), executedEdge1.getFromVertex());
assertFalse(executedEdge1.equals((Object)executedEdge0));
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
ExecutedEdge executedEdge0 = new ExecutedEdge(1, (-13235));
ExecutedEdge executedEdge1 = new ExecutedEdge((-13235), 1);
int int0 = executedEdge0.compareTo(executedEdge1);
assertEquals(1, executedEdge1.getToVertex());
assertEquals((-13235), executedEdge1.getFromVertex());
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
ExecutedEdge executedEdge0 = new ExecutedEdge((-39974), 1);
int int0 = executedEdge0.getToVertex();
assertEquals((-39974), executedEdge0.getFromVertex());
assertEquals(1, int0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
ExecutedEdge executedEdge0 = new ExecutedEdge((-1), (-89667));
int int0 = executedEdge0.getToVertex();
assertEquals((-89667), int0);
assertEquals((-1), executedEdge0.getFromVertex());
}
@Test(timeout = 4000)
public void test04() throws Throwable {
ExecutedEdge executedEdge0 = new ExecutedEdge(1, (-13235));
int int0 = executedEdge0.getFromVertex();
assertEquals((-13235), executedEdge0.getToVertex());
assertEquals(1, int0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
ExecutedEdge executedEdge0 = new ExecutedEdge((-1), (-1));
int int0 = executedEdge0.getFromVertex();
assertEquals((-1), executedEdge0.getToVertex());
assertEquals((-1), int0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
ExecutedEdge executedEdge0 = new ExecutedEdge(0, 0);
ExecutedEdge executedEdge1 = new ExecutedEdge((-39974), 1);
int int0 = executedEdge1.compareTo(executedEdge0);
assertEquals(0, int0);
assertEquals((-39974), executedEdge1.getFromVertex());
assertEquals(1, executedEdge1.getToVertex());
}
@Test(timeout = 4000)
public void test07() throws Throwable {
ExecutedEdge executedEdge0 = new ExecutedEdge((-1), (-89667));
ExecutedEdge executedEdge1 = new ExecutedEdge((-1), (-89667));
boolean boolean0 = executedEdge1.equals(executedEdge0);
assertTrue(boolean0);
assertEquals((-89667), executedEdge1.getToVertex());
assertEquals((-1), executedEdge1.getFromVertex());
}
@Test(timeout = 4000)
public void test08() throws Throwable {
ExecutedEdge executedEdge0 = new ExecutedEdge(1, (-35150));
boolean boolean0 = executedEdge0.equals("1 -> -35150");
assertEquals((-35150), executedEdge0.getToVertex());
assertEquals(1, executedEdge0.getFromVertex());
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
ExecutedEdge executedEdge0 = new ExecutedEdge(1, (-35150));
boolean boolean0 = executedEdge0.equals(executedEdge0);
assertTrue(boolean0);
assertEquals(1, executedEdge0.getFromVertex());
assertEquals((-35150), executedEdge0.getToVertex());
}
@Test(timeout = 4000)
public void test10() throws Throwable {
ExecutedEdge executedEdge0 = new ExecutedEdge(0, (-1));
boolean boolean0 = executedEdge0.equals((Object) null);
assertEquals((-1), executedEdge0.getToVertex());
assertFalse(boolean0);
assertEquals(0, executedEdge0.getFromVertex());
}
@Test(timeout = 4000)
public void test11() throws Throwable {
ExecutedEdge executedEdge0 = new ExecutedEdge(1, (-35150));
ExecutedEdge executedEdge1 = new ExecutedEdge(1, 0);
int int0 = executedEdge0.compareTo(executedEdge1);
assertEquals((-35150), executedEdge0.getToVertex());
assertFalse(executedEdge0.equals((Object)executedEdge1));
assertEquals(0, int0);
assertEquals(1, executedEdge1.getFromVertex());
}
@Test(timeout = 4000)
public void test12() throws Throwable {
ExecutedEdge executedEdge0 = new ExecutedEdge(1, (-35150));
int int0 = executedEdge0.compareTo(executedEdge0);
assertEquals((-35150), executedEdge0.getToVertex());
assertEquals(1, executedEdge0.getFromVertex());
assertEquals(1, int0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
ExecutedEdge executedEdge0 = new ExecutedEdge(1, (-35150));
String string0 = executedEdge0.toString();
assertEquals("1 -> -35150", string0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
ExecutedEdge executedEdge0 = new ExecutedEdge(0, 0);
int int0 = executedEdge0.getToVertex();
assertEquals(0, int0);
assertEquals(0, executedEdge0.getFromVertex());
}
@Test(timeout = 4000)
public void test15() throws Throwable {
ExecutedEdge executedEdge0 = new ExecutedEdge(0, 0);
int int0 = executedEdge0.getFromVertex();
assertEquals(0, executedEdge0.getToVertex());
assertEquals(0, int0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 11:30:40 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class ExecutedEdge_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 = "ExecutedEdge";
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/tmp6p4uovdq");
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(ExecutedEdge_ESTest_scaffolding.class.getClassLoader() ,
"ExecutedEdge"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ExecutedEdge_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ExecutedEdge"
);
}
}
| 1,483 |
DiseaseGene | public class DiseaseGene {
private String geneId;
private String geneSymbol;
public DiseaseGene(String geneId, String geneSymbol) {
super();
this.geneId = geneId;
this.geneSymbol = geneSymbol;
}
public String getGeneId() {
return geneId;
}
public String getGeneSymbol() {
return geneSymbol;
}
}
| .version 52 0
.class public super DiseaseGene
.super java/lang/Object
.field private geneId Ljava/lang/String;
.field private geneSymbol Ljava/lang/String;
.method public <init> : (Ljava/lang/String;Ljava/lang/String;)V
.code stack 2 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field DiseaseGene geneId Ljava/lang/String;
L9: aload_0
L10: aload_2
L11: putfield Field DiseaseGene geneSymbol Ljava/lang/String;
L14: return
L15:
.linenumbertable
L0 9
L4 10
L9 11
L14 12
.end linenumbertable
.end code
.end method
.method public getGeneId : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field DiseaseGene geneId Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 15
.end linenumbertable
.end code
.end method
.method public getGeneSymbol : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field DiseaseGene geneSymbol Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 19
.end linenumbertable
.end code
.end method
.sourcefile 'DiseaseGene.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 23:32:51 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 DiseaseGene_ESTest extends DiseaseGene_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
DiseaseGene diseaseGene0 = new DiseaseGene("eXe3dxj]q4%^", (String) null);
String string0 = diseaseGene0.getGeneSymbol();
assertNull(string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
DiseaseGene diseaseGene0 = new DiseaseGene("oQ$K@y7gowoj", "oQ$K@y7gowoj");
String string0 = diseaseGene0.getGeneSymbol();
assertEquals("oQ$K@y7gowoj", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
DiseaseGene diseaseGene0 = new DiseaseGene((String) null, (String) null);
String string0 = diseaseGene0.getGeneId();
assertNull(string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
DiseaseGene diseaseGene0 = new DiseaseGene("eXe3dxj]q4%^", (String) null);
String string0 = diseaseGene0.getGeneId();
assertEquals("eXe3dxj]q4%^", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
DiseaseGene diseaseGene0 = new DiseaseGene("", "");
String string0 = diseaseGene0.getGeneId();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
DiseaseGene diseaseGene0 = new DiseaseGene("", "");
String string0 = diseaseGene0.getGeneSymbol();
assertEquals("", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 23:32: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 DiseaseGene_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 = "DiseaseGene";
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/tmpmqozintl");
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(DiseaseGene_ESTest_scaffolding.class.getClassLoader() ,
"DiseaseGene"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DiseaseGene_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"DiseaseGene"
);
}
}
| 1,484 |
InvalidEventOutException | public class InvalidEventOutException extends RuntimeException {
public InvalidEventOutException() {
super();
}
public InvalidEventOutException(String s) {
super(s);
}
}
| .version 52 0
.class public super InvalidEventOutException
.super java/lang/RuntimeException
.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 6
L4 7
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V
L5: return
L6:
.linenumbertable
L0 10
L5 11
.end linenumbertable
.end code
.end method
.sourcefile 'InvalidEventOutException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 03:46: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 InvalidEventOutException_ESTest extends InvalidEventOutException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
InvalidEventOutException invalidEventOutException0 = new InvalidEventOutException();
}
@Test(timeout = 4000)
public void test1() throws Throwable {
InvalidEventOutException invalidEventOutException0 = new InvalidEventOutException("$y1z~j%O!)13u?#;Q");
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 03:46: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 InvalidEventOutException_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 = "InvalidEventOutException";
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/tmptc34xiz9");
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(InvalidEventOutException_ESTest_scaffolding.class.getClassLoader() ,
"InvalidEventOutException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(InvalidEventOutException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"InvalidEventOutException"
);
}
}
| 1,485 |
SubscriberCountByAPIs | /*
* Copyright (c) 2015, WSO2 Inc. (http://www.wso2.org) All Rights Reserved.
*
* WSO2 Inc. licenses this file to you under the Apache License,
* Version 2.0 (the "License"); you may not use this file except
* in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing,
* software distributed under the License is distributed on an
* "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
* KIND, either express or implied. See the License for the
* specific language governing permissions and limitations
* under the License.
*
*/
import java.util.ArrayList;
import java.util.List;
public class SubscriberCountByAPIs {
private List<String> apiName = new ArrayList<String>();
private long count;
public List<String> getApiName() {
return apiName;
}
public void setApiName(List<String> apiName) {
this.apiName = apiName;
}
public long getCount() {
return count;
}
public void setCount(long count) {
this.count = count;
}
}
| .version 52 0
.class public super SubscriberCountByAPIs
.super java/lang/Object
.field private apiName Ljava/util/List; .fieldattributes
.signature Ljava/util/List<Ljava/lang/String;>;
.end fieldattributes
.field private count J
.method public <init> : ()V
.code stack 3 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: new java/util/ArrayList
L8: dup
L9: invokespecial Method java/util/ArrayList <init> ()V
L12: putfield Field SubscriberCountByAPIs apiName Ljava/util/List;
L15: return
L16:
.linenumbertable
L0 24
L4 25
.end linenumbertable
.end code
.end method
.method public getApiName : ()Ljava/util/List;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SubscriberCountByAPIs apiName Ljava/util/List;
L4: areturn
L5:
.linenumbertable
L0 29
.end linenumbertable
.end code
.signature ()Ljava/util/List<Ljava/lang/String;>;
.end method
.method public setApiName : (Ljava/util/List;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field SubscriberCountByAPIs apiName Ljava/util/List;
L5: return
L6:
.linenumbertable
L0 33
L5 34
.end linenumbertable
.end code
.signature (Ljava/util/List<Ljava/lang/String;>;)V
.end method
.method public getCount : ()J
.code stack 2 locals 1
L0: aload_0
L1: getfield Field SubscriberCountByAPIs count J
L4: lreturn
L5:
.linenumbertable
L0 37
.end linenumbertable
.end code
.end method
.method public setCount : (J)V
.code stack 3 locals 3
L0: aload_0
L1: lload_1
L2: putfield Field SubscriberCountByAPIs count J
L5: return
L6:
.linenumbertable
L0 41
L5 42
.end linenumbertable
.end code
.end method
.sourcefile 'SubscriberCountByAPIs.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 03:20:12 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 SubscriberCountByAPIs_ESTest extends SubscriberCountByAPIs_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
SubscriberCountByAPIs subscriberCountByAPIs0 = new SubscriberCountByAPIs();
subscriberCountByAPIs0.setCount(57051L);
long long0 = subscriberCountByAPIs0.getCount();
assertEquals(57051L, long0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
SubscriberCountByAPIs subscriberCountByAPIs0 = new SubscriberCountByAPIs();
subscriberCountByAPIs0.setCount((-17575L));
long long0 = subscriberCountByAPIs0.getCount();
assertEquals((-17575L), long0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
SubscriberCountByAPIs subscriberCountByAPIs0 = new SubscriberCountByAPIs();
subscriberCountByAPIs0.setApiName((List<String>) null);
List<String> list0 = subscriberCountByAPIs0.getApiName();
assertNull(list0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
SubscriberCountByAPIs subscriberCountByAPIs0 = new SubscriberCountByAPIs();
LinkedList<String> linkedList0 = new LinkedList<String>();
linkedList0.offerLast("ZDKIRg_,CMU!17!");
subscriberCountByAPIs0.setApiName(linkedList0);
List<String> list0 = subscriberCountByAPIs0.getApiName();
assertFalse(list0.isEmpty());
}
@Test(timeout = 4000)
public void test4() throws Throwable {
SubscriberCountByAPIs subscriberCountByAPIs0 = new SubscriberCountByAPIs();
List<String> list0 = subscriberCountByAPIs0.getApiName();
subscriberCountByAPIs0.setApiName(list0);
assertTrue(list0.isEmpty());
}
@Test(timeout = 4000)
public void test5() throws Throwable {
SubscriberCountByAPIs subscriberCountByAPIs0 = new SubscriberCountByAPIs();
long long0 = subscriberCountByAPIs0.getCount();
assertEquals(0L, long0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 03:20: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 SubscriberCountByAPIs_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 = "SubscriberCountByAPIs";
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/tmpgz22f75t");
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(SubscriberCountByAPIs_ESTest_scaffolding.class.getClassLoader() ,
"SubscriberCountByAPIs"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SubscriberCountByAPIs_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"SubscriberCountByAPIs"
);
}
}
| 1,486 |
BuildConfig | /** Automatically generated file. DO NOT MODIFY */
public final class BuildConfig {
public static final boolean DEBUG = true;
}
| .version 52 0
.class public final super BuildConfig
.super java/lang/Object
.field public static final DEBUG Z = 1
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 4
.end linenumbertable
.end code
.end method
.sourcefile 'BuildConfig.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 21:08:25 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class BuildConfig_ESTest extends BuildConfig_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
BuildConfig buildConfig0 = new BuildConfig();
assertTrue(BuildConfig.DEBUG);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 21:08:25 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class BuildConfig_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 = "BuildConfig";
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/tmpjyzrse6e");
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(BuildConfig_ESTest_scaffolding.class.getClassLoader() ,
"BuildConfig"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BuildConfig_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"BuildConfig"
);
}
}
| 1,487 |
BaseWrapper | // Decompiled by Jad v1.5.8e. Copyright 2001 Pavel Kouznetsov.
// Jad home page: http://www.geocities.com/kpdus/jad.html
// Decompiler options: braces fieldsfirst space lnc
class BaseWrapper {
final Object mWrappedObject;
BaseWrapper(Object obj) {
if (obj == null) {
throw new IllegalArgumentException("Wrapped Object can not be null.");
} else {
mWrappedObject = obj;
return;
}
}
public Object getWrappedObject() {
return mWrappedObject;
}
}
| .version 52 0
.class super BaseWrapper
.super java/lang/Object
.field final mWrappedObject Ljava/lang/Object;
.method <init> : (Ljava/lang/Object;)V
.code stack 3 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_1
L5: ifnonnull L18
L8: new java/lang/IllegalArgumentException
L11: dup
L12: ldc 'Wrapped Object can not be null.'
L14: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;)V
L17: athrow
.stack full
locals Object BaseWrapper Object java/lang/Object
stack
.end stack
L18: aload_0
L19: aload_1
L20: putfield Field BaseWrapper mWrappedObject Ljava/lang/Object;
L23: return
L24:
.linenumbertable
L0 14
L4 15
L8 17
L18 20
L23 21
.end linenumbertable
.end code
.end method
.method public getWrappedObject : ()Ljava/lang/Object;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BaseWrapper mWrappedObject Ljava/lang/Object;
L4: areturn
L5:
.linenumbertable
L0 27
.end linenumbertable
.end code
.end method
.sourcefile 'BaseWrapper.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 18:31: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 BaseWrapper_ESTest extends BaseWrapper_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
BaseWrapper baseWrapper0 = null;
try {
baseWrapper0 = new BaseWrapper((Object) null);
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// Wrapped Object can not be null.
//
verifyException("BaseWrapper", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
BaseWrapper baseWrapper0 = new BaseWrapper("EFB7ECJPmCB5f+G");
Object object0 = baseWrapper0.getWrappedObject();
assertEquals("EFB7ECJPmCB5f+G", object0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 18:31: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 BaseWrapper_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 = "BaseWrapper";
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/tmpms0tzkju");
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(BaseWrapper_ESTest_scaffolding.class.getClassLoader() ,
"BaseWrapper"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BaseWrapper_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"BaseWrapper"
);
}
}
| 1,488 |
MyPow | /** Created by Alex_Xie on 03/07/2017. */
public class MyPow {
double myPow(double x, int n) {
if (n == 0) return 1;
double t = myPow(x, n / 2);
if (n % 2 != 0) {
return n < 0 ? (1 / x) * t * t : x * t * t;
}
return t * t;
}
}
| .version 52 0
.class public super MyPow
.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 myPow : (DI)D
.code stack 5 locals 6
L0: iload_3
L1: ifne L6
L4: dconst_1
L5: dreturn
.stack same
L6: aload_0
L7: dload_1
L8: iload_3
L9: iconst_2
L10: idiv
L11: invokevirtual Method MyPow myPow (DI)D
L14: dstore 4
L16: iload_3
L17: iconst_2
L18: irem
L19: ifeq L46
L22: iload_3
L23: ifge L38
L26: dconst_1
L27: dload_1
L28: ddiv
L29: dload 4
L31: dmul
L32: dload 4
L34: dmul
L35: goto L45
.stack append Double
L38: dload_1
L39: dload 4
L41: dmul
L42: dload 4
L44: dmul
.stack stack_1 Double
L45: dreturn
.stack same
L46: dload 4
L48: dload 4
L50: dmul
L51: dreturn
L52:
.linenumbertable
L0 9
L6 11
L16 12
L22 13
L46 15
.end linenumbertable
.end code
.end method
.sourcefile 'MyPow.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 17:56:20 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 MyPow_ESTest extends MyPow_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
MyPow myPow0 = new MyPow();
double double0 = myPow0.myPow(Double.POSITIVE_INFINITY, (-7935));
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
MyPow myPow0 = new MyPow();
double double0 = myPow0.myPow((-71128.0), (-1));
assertEquals((-1.4059160949274547E-5), double0, 1.0E-4);
double double1 = myPow0.myPow((-2839), 28230);
assertEquals(Double.POSITIVE_INFINITY, double1, 1.0E-4);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 17:56: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 MyPow_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 = "MyPow";
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/tmpodbi8pn7");
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(MyPow_ESTest_scaffolding.class.getClassLoader() ,
"MyPow"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MyPow_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MyPow"
);
}
}
| 1,489 |
Source | import java.io.IOException;
import java.io.Reader;
/**
* A Source object wraps a Reader (which will typically be a BufferedReader wrapping another Reader
* connected to a file or an input stream) with the ability to track the current line and column
* number, and to examine the current character multiple times.
*
* @author bhoward
*/
public class Source {
/**
* Construct a Source wrapping the given Reader. Once constructed, the first character of the
* source (at line 1, column 1) will be available via current, or else atEOF will be true.
*
* @param in
*/
public Source(Reader in) {
this.in = in;
this.line = 0;
this.column = 0;
this.current = '\n';
this.atEOF = false;
advance();
}
/**
* Advance to the next available character, if any. Either the new character will be available
* through current, or atEOF will be true.
*/
public void advance() {
if (atEOF) return;
if (current == '\n') {
++line;
column = 1;
} else {
++column;
}
try {
int next = in.read();
if (next == -1) {
atEOF = true;
} else {
current = (char) next;
}
} catch (IOException e) {
System.err.println("Error: " + e);
System.exit(1);
}
}
/**
* Close the underlying Reader.
*
* @throws IOException
*/
public void close() throws IOException {
in.close();
}
private Reader in;
public int line, column;
public char current;
public boolean atEOF;
}
| .version 52 0
.class public super Source
.super java/lang/Object
.field private in Ljava/io/Reader;
.field public line I
.field public column I
.field public current C
.field public atEOF Z
.method public <init> : (Ljava/io/Reader;)V
.code stack 2 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field Source in Ljava/io/Reader;
L9: aload_0
L10: iconst_0
L11: putfield Field Source line I
L14: aload_0
L15: iconst_0
L16: putfield Field Source column I
L19: aload_0
L20: bipush 10
L22: putfield Field Source current C
L25: aload_0
L26: iconst_0
L27: putfield Field Source atEOF Z
L30: aload_0
L31: invokevirtual Method Source advance ()V
L34: return
L35:
.linenumbertable
L0 22
L4 23
L9 24
L14 25
L19 26
L25 27
L30 29
L34 30
.end linenumbertable
.end code
.end method
.method public advance : ()V
.code stack 3 locals 2
L0: aload_0
L1: getfield Field Source atEOF Z
L4: ifeq L8
L7: return
.stack same
L8: aload_0
L9: getfield Field Source current C
L12: bipush 10
L14: if_icmpne L35
L17: aload_0
L18: dup
L19: getfield Field Source line I
L22: iconst_1
L23: iadd
L24: putfield Field Source line I
L27: aload_0
L28: iconst_1
L29: putfield Field Source column I
L32: goto L45
.stack same
L35: aload_0
L36: dup
L37: getfield Field Source column I
L40: iconst_1
L41: iadd
L42: putfield Field Source column I
.catch java/io/IOException from L45 to L72 using L75
.stack same
L45: aload_0
L46: getfield Field Source in Ljava/io/Reader;
L49: invokevirtual Method java/io/Reader read ()I
L52: istore_1
L53: iload_1
L54: iconst_m1
L55: if_icmpne L66
L58: aload_0
L59: iconst_1
L60: putfield Field Source atEOF Z
L63: goto L72
.stack append Integer
L66: aload_0
L67: iload_1
L68: i2c
L69: putfield Field Source current C
.stack chop 1
L72: goto L105
.stack stack_1 Object java/io/IOException
L75: astore_1
L76: getstatic Field java/lang/System err Ljava/io/PrintStream;
L79: new java/lang/StringBuilder
L82: dup
L83: invokespecial Method java/lang/StringBuilder <init> ()V
L86: ldc 'Error: '
L88: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L91: aload_1
L92: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L95: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L98: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L101: iconst_1
L102: invokestatic Method java/lang/System exit (I)V
.stack same
L105: return
L106:
.linenumbertable
L0 36
L7 37
L8 39
L17 40
L27 41
L35 43
L45 47
L53 48
L58 49
L66 51
L72 56
L75 53
L76 54
L101 55
L105 57
.end linenumbertable
.end code
.end method
.method public close : ()V
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Source in Ljava/io/Reader;
L4: invokevirtual Method java/io/Reader close ()V
L7: return
L8:
.linenumbertable
L0 65
L7 66
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.sourcefile 'Source.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 20:14:03 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.io.StringReader;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.System;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Source_ESTest extends Source_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
StringReader stringReader0 = new StringReader("_+");
Source source0 = new Source(stringReader0);
source0.close();
// Undeclared exception!
try {
source0.advance();
fail("Expecting exception: System.SystemExitException");
} catch(System.SystemExitException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("org.evosuite.runtime.System", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
StringReader stringReader0 = new StringReader("!Wf8\"cp~ieE4Ya");
Source source0 = new Source(stringReader0);
source0.advance();
assertEquals(2, source0.column);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
StringReader stringReader0 = new StringReader("t");
stringReader0.read();
Source source0 = new Source(stringReader0);
source0.atEOF = false;
source0.advance();
assertEquals(2, source0.line);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
StringReader stringReader0 = new StringReader("VC=x;cdS\u0002uSVHE$'0<");
Source source0 = new Source(stringReader0);
char[] charArray0 = new char[9];
stringReader0.read(charArray0);
stringReader0.read(charArray0);
source0.advance();
source0.advance();
assertEquals(2, source0.column);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 20:14:03 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Source_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 = "Source";
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/tmpczhivx1f");
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(Source_ESTest_scaffolding.class.getClassLoader() ,
"Source"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Source_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Source"
);
}
}
| 1,490 |
PoolMemberNotFoundException | /*
* Copyright 2011 Edmunds.com, Inc.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
/**
* This exception indicates that pool member was not found on a load balancer.
*
* <p>It is typically thrown when attempting to update or delete a pool member.
*
* @author Ryan Holmes
*/
public class PoolMemberNotFoundException extends Exception {
public PoolMemberNotFoundException(String message) {
super(message);
}
public PoolMemberNotFoundException(String message, Throwable cause) {
super(message, cause);
}
public PoolMemberNotFoundException(Throwable cause) {
super(cause);
}
}
| .version 52 0
.class public super PoolMemberNotFoundException
.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 28
L5 29
.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 32
L6 33
.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 36
L5 37
.end linenumbertable
.end code
.end method
.sourcefile 'PoolMemberNotFoundException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 10:33:44 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 PoolMemberNotFoundException_ESTest extends PoolMemberNotFoundException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
PoolMemberNotFoundException poolMemberNotFoundException0 = new PoolMemberNotFoundException("}>I+hN?Dv%47Q");
PoolMemberNotFoundException poolMemberNotFoundException1 = new PoolMemberNotFoundException("}>I+hN?Dv%47Q", poolMemberNotFoundException0);
assertFalse(poolMemberNotFoundException1.equals((Object)poolMemberNotFoundException0));
}
@Test(timeout = 4000)
public void test1() throws Throwable {
PoolMemberNotFoundException poolMemberNotFoundException0 = new PoolMemberNotFoundException("}>I+hN?Dv%47Q");
PoolMemberNotFoundException poolMemberNotFoundException1 = new PoolMemberNotFoundException(poolMemberNotFoundException0);
assertFalse(poolMemberNotFoundException1.equals((Object)poolMemberNotFoundException0));
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 10:33:44 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 PoolMemberNotFoundException_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 = "PoolMemberNotFoundException";
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/tmp7efeq2sp");
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(PoolMemberNotFoundException_ESTest_scaffolding.class.getClassLoader() ,
"PoolMemberNotFoundException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PoolMemberNotFoundException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"PoolMemberNotFoundException"
);
}
}
| 1,491 |
FunctionUtils | import java.util.function.BiFunction;
public class FunctionUtils {
public static BiFunction<Double, Double, Double> multiply(
final BiFunction<Double, Double, Double> f, final BiFunction<Double, Double, Double> g) {
return (t, y) -> f.apply(t, y) * g.apply(t, y);
}
public static BiFunction<Double, Double, Double> affine(
final double a, final double b, final double c) {
// ax + by + c
return (t, y) -> a * t + b * y + c;
}
public static BiFunction<Double, Double, Double> exponential(
final double a, final double b, final double c, final double d, final double e) {
// a*exp(bt) + c*exp(dy) + e
return (t, y) -> a * Math.exp(b * t) + c * Math.exp(d * y) + e;
}
}
| .version 52 0
.class public super FunctionUtils
.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 multiply : (Ljava/util/function/BiFunction;Ljava/util/function/BiFunction;)Ljava/util/function/BiFunction;
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokedynamic [id2]
L7: areturn
L8:
.linenumbertable
L0 8
.end linenumbertable
.end code
.signature (Ljava/util/function/BiFunction<Ljava/lang/Double;Ljava/lang/Double;Ljava/lang/Double;>;Ljava/util/function/BiFunction<Ljava/lang/Double;Ljava/lang/Double;Ljava/lang/Double;>;)Ljava/util/function/BiFunction<Ljava/lang/Double;Ljava/lang/Double;Ljava/lang/Double;>;
.end method
.method public static affine : (DDD)Ljava/util/function/BiFunction;
.code stack 6 locals 6
L0: dload_0
L1: dload_2
L2: dload 4
L4: invokedynamic [id3]
L9: areturn
L10:
.linenumbertable
L0 13
.end linenumbertable
.end code
.signature (DDD)Ljava/util/function/BiFunction<Ljava/lang/Double;Ljava/lang/Double;Ljava/lang/Double;>;
.end method
.method public static exponential : (DDDDD)Ljava/util/function/BiFunction;
.code stack 10 locals 10
L0: dload_0
L1: dload_2
L2: dload 4
L4: dload 6
L6: dload 8
L8: invokedynamic [id4]
L13: areturn
L14:
.linenumbertable
L0 18
.end linenumbertable
.end code
.signature (DDDDD)Ljava/util/function/BiFunction<Ljava/lang/Double;Ljava/lang/Double;Ljava/lang/Double;>;
.end method
.method private static synthetic lambda$exponential$2 : (DDDDDLjava/lang/Double;Ljava/lang/Double;)Ljava/lang/Double;
.code stack 8 locals 12
L0: dload_0
L1: dload_2
L2: aload 10
L4: invokevirtual Method java/lang/Double doubleValue ()D
L7: dmul
L8: invokestatic Method java/lang/Math exp (D)D
L11: dmul
L12: dload 4
L14: dload 6
L16: aload 11
L18: invokevirtual Method java/lang/Double doubleValue ()D
L21: dmul
L22: invokestatic Method java/lang/Math exp (D)D
L25: dmul
L26: dadd
L27: dload 8
L29: dadd
L30: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L33: areturn
L34:
.linenumbertable
L0 18
.end linenumbertable
.end code
.end method
.method private static synthetic lambda$affine$1 : (DDDLjava/lang/Double;Ljava/lang/Double;)Ljava/lang/Double;
.code stack 6 locals 8
L0: dload_0
L1: aload 6
L3: invokevirtual Method java/lang/Double doubleValue ()D
L6: dmul
L7: dload_2
L8: aload 7
L10: invokevirtual Method java/lang/Double doubleValue ()D
L13: dmul
L14: dadd
L15: dload 4
L17: dadd
L18: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L21: areturn
L22:
.linenumbertable
L0 13
.end linenumbertable
.end code
.end method
.method private static synthetic lambda$multiply$0 : (Ljava/util/function/BiFunction;Ljava/util/function/BiFunction;Ljava/lang/Double;Ljava/lang/Double;)Ljava/lang/Double;
.code stack 5 locals 4
L0: aload_0
L1: aload_2
L2: aload_3
L3: invokeinterface InterfaceMethod java/util/function/BiFunction apply (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; 3
L8: checkcast java/lang/Double
L11: invokevirtual Method java/lang/Double doubleValue ()D
L14: aload_1
L15: aload_2
L16: aload_3
L17: invokeinterface InterfaceMethod java/util/function/BiFunction apply (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; 3
L22: checkcast java/lang/Double
L25: invokevirtual Method java/lang/Double doubleValue ()D
L28: dmul
L29: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L32: areturn
L33:
.linenumbertable
L0 8
.end linenumbertable
.end code
.end method
.sourcefile 'FunctionUtils.java'
.innerclasses
java/lang/invoke/MethodHandles$Lookup java/lang/invoke/MethodHandles Lookup public static final
.end innerclasses
.const [id2] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory (Ljava/lang/invoke/MethodHandles$Lookup;Ljava/lang/String;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodHandle;Ljava/lang/invoke/MethodType;)Ljava/lang/invoke/CallSite; MethodType (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; MethodHandle invokeStatic Method FunctionUtils lambda$multiply$0 (Ljava/util/function/BiFunction;Ljava/util/function/BiFunction;Ljava/lang/Double;Ljava/lang/Double;)Ljava/lang/Double; MethodType (Ljava/lang/Double;Ljava/lang/Double;)Ljava/lang/Double; : apply (Ljava/util/function/BiFunction;Ljava/util/function/BiFunction;)Ljava/util/function/BiFunction;
.const [id3] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory (Ljava/lang/invoke/MethodHandles$Lookup;Ljava/lang/String;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodHandle;Ljava/lang/invoke/MethodType;)Ljava/lang/invoke/CallSite; MethodType (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; MethodHandle invokeStatic Method FunctionUtils lambda$affine$1 (DDDLjava/lang/Double;Ljava/lang/Double;)Ljava/lang/Double; MethodType (Ljava/lang/Double;Ljava/lang/Double;)Ljava/lang/Double; : apply (DDD)Ljava/util/function/BiFunction;
.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 (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; MethodHandle invokeStatic Method FunctionUtils lambda$exponential$2 (DDDDDLjava/lang/Double;Ljava/lang/Double;)Ljava/lang/Double; MethodType (Ljava/lang/Double;Ljava/lang/Double;)Ljava/lang/Double; : apply (DDDDD)Ljava/util/function/BiFunction;
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 16:50:33 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.util.function.BiFunction;
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 FunctionUtils_ESTest extends FunctionUtils_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
FunctionUtils functionUtils0 = new FunctionUtils();
}
@Test(timeout = 4000)
public void test1() throws Throwable {
BiFunction<Double, Double, Double> biFunction0 = FunctionUtils.affine((-22.213725071116713), (-22.213725071116713), (-22.213725071116713));
assertNotNull(biFunction0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
BiFunction<Double, Double, Double> biFunction0 = FunctionUtils.exponential((-22.213725071116713), (-22.213725071116713), (-22.213725071116713), (-22.213725071116713), (-22.213725071116713));
BiFunction<Double, Double, Double> biFunction1 = FunctionUtils.multiply(biFunction0, biFunction0);
assertFalse(biFunction1.equals((Object)biFunction0));
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 16:50: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 FunctionUtils_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 = "FunctionUtils";
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/tmpjpdu5oes");
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(FunctionUtils_ESTest_scaffolding.class.getClassLoader() ,
"FunctionUtils"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(FunctionUtils_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"FunctionUtils"
);
}
}
| 1,492 |
Position | public class Position {
private float x;
private float y;
public Position() {
setX(0.0f);
setY(getX());
}
public Position(float inX, float inY) {
set(inX, inY);
}
public void set(float inX, float inY) {
setX(inX);
setY(inY);
}
public float getX() {
return x;
}
public void setX(float x) {
this.x = x;
}
public float getY() {
return y;
}
public void setY(float y) {
this.y = y;
}
}
| .version 52 0
.class public super Position
.super java/lang/Object
.field private x F
.field private y F
.method public <init> : ()V
.code stack 2 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: fconst_0
L6: invokevirtual Method Position setX (F)V
L9: aload_0
L10: aload_0
L11: invokevirtual Method Position getX ()F
L14: invokevirtual Method Position setY (F)V
L17: return
L18:
.linenumbertable
L0 7
L4 8
L9 9
L17 10
.end linenumbertable
.end code
.end method
.method public <init> : (FF)V
.code stack 3 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: fload_1
L6: fload_2
L7: invokevirtual Method Position set (FF)V
L10: return
L11:
.linenumbertable
L0 12
L4 13
L10 14
.end linenumbertable
.end code
.end method
.method public set : (FF)V
.code stack 2 locals 3
L0: aload_0
L1: fload_1
L2: invokevirtual Method Position setX (F)V
L5: aload_0
L6: fload_2
L7: invokevirtual Method Position setY (F)V
L10: return
L11:
.linenumbertable
L0 17
L5 18
L10 19
.end linenumbertable
.end code
.end method
.method public getX : ()F
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Position x F
L4: freturn
L5:
.linenumbertable
L0 22
.end linenumbertable
.end code
.end method
.method public setX : (F)V
.code stack 2 locals 2
L0: aload_0
L1: fload_1
L2: putfield Field Position x F
L5: return
L6:
.linenumbertable
L0 26
L5 27
.end linenumbertable
.end code
.end method
.method public getY : ()F
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Position y F
L4: freturn
L5:
.linenumbertable
L0 30
.end linenumbertable
.end code
.end method
.method public setY : (F)V
.code stack 2 locals 2
L0: aload_0
L1: fload_1
L2: putfield Field Position y F
L5: return
L6:
.linenumbertable
L0 34
L5 35
.end linenumbertable
.end code
.end method
.sourcefile 'Position.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 12:59: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 Position_ESTest extends Position_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Position position0 = new Position(0.0F, 40923.0F);
position0.set((-7699.3193F), 0.0F);
float float0 = position0.getY();
assertEquals(0.0F, float0, 0.01F);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Position position0 = new Position(16224.19F, (-64362.47F));
float float0 = position0.getY();
assertEquals((-64362.47F), float0, 0.01F);
assertEquals(16224.19F, position0.getX(), 0.01F);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Position position0 = new Position(25032.17F, 25032.17F);
float float0 = position0.getX();
assertEquals(25032.17F, float0, 0.01F);
assertEquals(25032.17F, position0.getY(), 0.01F);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Position position0 = new Position(25032.17F, 25032.17F);
position0.setY(25032.17F);
assertEquals(25032.17F, position0.getX(), 0.01F);
assertEquals(25032.17F, position0.getY(), 0.01F);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Position position0 = new Position(25032.17F, 25032.17F);
position0.setX(25032.17F);
assertEquals(25032.17F, position0.getY(), 0.01F);
assertEquals(25032.17F, position0.getX(), 0.01F);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Position position0 = new Position();
position0.set((-2936.234F), 72789.0F);
float float0 = position0.getX();
assertEquals(72789.0F, position0.getY(), 0.01F);
assertEquals((-2936.234F), float0, 0.01F);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
Position position0 = new Position();
float float0 = position0.getX();
assertEquals(0.0F, position0.getY(), 0.01F);
assertEquals(0.0F, float0, 0.01F);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
Position position0 = new Position(0.0F, 40923.0F);
float float0 = position0.getY();
assertEquals(40923.0F, float0, 0.01F);
assertEquals(0.0F, position0.getX(), 0.01F);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 12:59: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 Position_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 = "Position";
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/tmprf1vwt_5");
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(Position_ESTest_scaffolding.class.getClassLoader() ,
"Position"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Position_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Position"
);
}
}
| 1,493 |
Discussion | /*
* Copyright (C) 2017 zephray
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
import java.util.Date;
/**
* @author zephray
*/
public class Discussion {
public int id;
public String title;
public int startUserId;
public String startUserName;
public int lastUserId;
public String lastUserName;
public Date lastTime;
public boolean isSticky;
}
| .version 52 0
.class public super Discussion
.super java/lang/Object
.field public id I
.field public title Ljava/lang/String;
.field public startUserId I
.field public startUserName Ljava/lang/String;
.field public lastUserId I
.field public lastUserName Ljava/lang/String;
.field public lastTime Ljava/util/Date;
.field public isSticky Z
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 25
.end linenumbertable
.end code
.end method
.sourcefile 'Discussion.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 01:29: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 Discussion_ESTest extends Discussion_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Discussion discussion0 = new Discussion();
assertEquals(0, discussion0.lastUserId);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 01:29: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 Discussion_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 = "Discussion";
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/tmpbuf00q6k");
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(Discussion_ESTest_scaffolding.class.getClassLoader() ,
"Discussion"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Discussion_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Discussion"
);
}
}
| 1,494 |
WeixinOauth2Token | /**
* ��ҳ��Ȩ��Ϣ
*
* @author qikuo
* @date 2017-2-28
*/
public class WeixinOauth2Token {
// ��ҳ��Ȩ�ӿڵ���ƾ֤
private String accessToken;
// ƾ֤��Чʱ��
private int expiresIn;
// ����ˢ��ƾ֤
private String refreshToken;
// �û���ʶ
private String openId;
// �û���Ȩ������
private String scope;
private String scene_id;
public String getAccessToken() {
return accessToken;
}
public void setAccessToken(String accessToken) {
this.accessToken = accessToken;
}
public int getExpiresIn() {
return expiresIn;
}
public void setExpiresIn(int expiresIn) {
this.expiresIn = expiresIn;
}
public String getRefreshToken() {
return refreshToken;
}
public void setRefreshToken(String refreshToken) {
this.refreshToken = refreshToken;
}
public String getOpenId() {
return openId;
}
public void setOpenId(String openId) {
this.openId = openId;
}
public String getScope() {
return scope;
}
public void setScope(String scope) {
this.scope = scope;
}
public String getScene_id() {
return scene_id;
}
public void setScene_id(String scene_id) {
this.scene_id = scene_id;
}
}
| .version 52 0
.class public super WeixinOauth2Token
.super java/lang/Object
.field private accessToken Ljava/lang/String;
.field private expiresIn I
.field private refreshToken Ljava/lang/String;
.field private openId Ljava/lang/String;
.field private scope Ljava/lang/String;
.field private scene_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 9
.end linenumbertable
.end code
.end method
.method public getAccessToken : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field WeixinOauth2Token accessToken Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 23
.end linenumbertable
.end code
.end method
.method public setAccessToken : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field WeixinOauth2Token accessToken Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 27
L5 28
.end linenumbertable
.end code
.end method
.method public getExpiresIn : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field WeixinOauth2Token expiresIn I
L4: ireturn
L5:
.linenumbertable
L0 31
.end linenumbertable
.end code
.end method
.method public setExpiresIn : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field WeixinOauth2Token expiresIn I
L5: return
L6:
.linenumbertable
L0 35
L5 36
.end linenumbertable
.end code
.end method
.method public getRefreshToken : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field WeixinOauth2Token refreshToken Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 39
.end linenumbertable
.end code
.end method
.method public setRefreshToken : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field WeixinOauth2Token refreshToken Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 43
L5 44
.end linenumbertable
.end code
.end method
.method public getOpenId : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field WeixinOauth2Token openId Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 47
.end linenumbertable
.end code
.end method
.method public setOpenId : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field WeixinOauth2Token openId Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 51
L5 52
.end linenumbertable
.end code
.end method
.method public getScope : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field WeixinOauth2Token scope Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 55
.end linenumbertable
.end code
.end method
.method public setScope : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field WeixinOauth2Token scope Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 59
L5 60
.end linenumbertable
.end code
.end method
.method public getScene_id : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field WeixinOauth2Token scene_id Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 63
.end linenumbertable
.end code
.end method
.method public setScene_id : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field WeixinOauth2Token scene_id Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 67
L5 68
.end linenumbertable
.end code
.end method
.sourcefile 'WeixinOauth2Token.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 03:40: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 WeixinOauth2Token_ESTest extends WeixinOauth2Token_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
WeixinOauth2Token weixinOauth2Token0 = new WeixinOauth2Token();
weixinOauth2Token0.setScope("jC|WB");
String string0 = weixinOauth2Token0.getScope();
assertEquals("jC|WB", string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
WeixinOauth2Token weixinOauth2Token0 = new WeixinOauth2Token();
weixinOauth2Token0.setScene_id("2oOmo");
String string0 = weixinOauth2Token0.getScene_id();
assertEquals("2oOmo", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
WeixinOauth2Token weixinOauth2Token0 = new WeixinOauth2Token();
weixinOauth2Token0.setRefreshToken("@DFm");
String string0 = weixinOauth2Token0.getRefreshToken();
assertEquals("@DFm", string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
WeixinOauth2Token weixinOauth2Token0 = new WeixinOauth2Token();
weixinOauth2Token0.setOpenId("WzP,]SqfTs$<>c9C");
String string0 = weixinOauth2Token0.getOpenId();
assertEquals("WzP,]SqfTs$<>c9C", string0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
WeixinOauth2Token weixinOauth2Token0 = new WeixinOauth2Token();
weixinOauth2Token0.setExpiresIn((-24138));
int int0 = weixinOauth2Token0.getExpiresIn();
assertEquals((-24138), int0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
WeixinOauth2Token weixinOauth2Token0 = new WeixinOauth2Token();
weixinOauth2Token0.setAccessToken("!NqF^?v");
String string0 = weixinOauth2Token0.getAccessToken();
assertEquals("!NqF^?v", string0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
WeixinOauth2Token weixinOauth2Token0 = new WeixinOauth2Token();
weixinOauth2Token0.setExpiresIn(16221);
int int0 = weixinOauth2Token0.getExpiresIn();
assertEquals(16221, int0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
WeixinOauth2Token weixinOauth2Token0 = new WeixinOauth2Token();
String string0 = weixinOauth2Token0.getRefreshToken();
assertNull(string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
WeixinOauth2Token weixinOauth2Token0 = new WeixinOauth2Token();
weixinOauth2Token0.setScope("");
String string0 = weixinOauth2Token0.getScope();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
WeixinOauth2Token weixinOauth2Token0 = new WeixinOauth2Token();
weixinOauth2Token0.setScene_id("");
String string0 = weixinOauth2Token0.getScene_id();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
WeixinOauth2Token weixinOauth2Token0 = new WeixinOauth2Token();
weixinOauth2Token0.setRefreshToken("");
String string0 = weixinOauth2Token0.getRefreshToken();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
WeixinOauth2Token weixinOauth2Token0 = new WeixinOauth2Token();
String string0 = weixinOauth2Token0.getAccessToken();
assertNull(string0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
WeixinOauth2Token weixinOauth2Token0 = new WeixinOauth2Token();
String string0 = weixinOauth2Token0.getScope();
assertNull(string0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
WeixinOauth2Token weixinOauth2Token0 = new WeixinOauth2Token();
int int0 = weixinOauth2Token0.getExpiresIn();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
WeixinOauth2Token weixinOauth2Token0 = new WeixinOauth2Token();
String string0 = weixinOauth2Token0.getOpenId();
assertNull(string0);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
WeixinOauth2Token weixinOauth2Token0 = new WeixinOauth2Token();
String string0 = weixinOauth2Token0.getScene_id();
assertNull(string0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
WeixinOauth2Token weixinOauth2Token0 = new WeixinOauth2Token();
weixinOauth2Token0.setAccessToken("");
String string0 = weixinOauth2Token0.getAccessToken();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
WeixinOauth2Token weixinOauth2Token0 = new WeixinOauth2Token();
weixinOauth2Token0.setOpenId("");
String string0 = weixinOauth2Token0.getOpenId();
assertEquals("", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 03:40: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 WeixinOauth2Token_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 = "WeixinOauth2Token";
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/tmpkv54u68g");
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(WeixinOauth2Token_ESTest_scaffolding.class.getClassLoader() ,
"WeixinOauth2Token"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(WeixinOauth2Token_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"WeixinOauth2Token"
);
}
}
| 1,495 |
Production1208 | public class Production1208 {
private String property0;
public String getProperty0() {
return property0;
}
public void setProperty0(String value) {
property0 = value;
}
private String property1;
public String getProperty1() {
return property1;
}
public void setProperty1(String value) {
property1 = value;
}
private String property2;
public String getProperty2() {
return property2;
}
public void setProperty2(String value) {
property2 = value;
}
private String property3;
public String getProperty3() {
return property3;
}
public void setProperty3(String value) {
property3 = value;
}
private String property4;
public String getProperty4() {
return property4;
}
public void setProperty4(String value) {
property4 = value;
}
private String property5;
public String getProperty5() {
return property5;
}
public void setProperty5(String value) {
property5 = value;
}
private String property6;
public String getProperty6() {
return property6;
}
public void setProperty6(String value) {
property6 = value;
}
private String property7;
public String getProperty7() {
return property7;
}
public void setProperty7(String value) {
property7 = value;
}
private String property8;
public String getProperty8() {
return property8;
}
public void setProperty8(String value) {
property8 = value;
}
private String property9;
public String getProperty9() {
return property9;
}
public void setProperty9(String value) {
property9 = value;
}
}
| .version 52 0
.class public super Production1208
.super java/lang/Object
.field private property0 Ljava/lang/String;
.field private property1 Ljava/lang/String;
.field private property2 Ljava/lang/String;
.field private property3 Ljava/lang/String;
.field private property4 Ljava/lang/String;
.field private property5 Ljava/lang/String;
.field private property6 Ljava/lang/String;
.field private property7 Ljava/lang/String;
.field private property8 Ljava/lang/String;
.field private property9 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 getProperty0 : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Production1208 property0 Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 8
.end linenumbertable
.end code
.end method
.method public setProperty0 : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Production1208 property0 Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 12
L5 13
.end linenumbertable
.end code
.end method
.method public getProperty1 : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Production1208 property1 Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 18
.end linenumbertable
.end code
.end method
.method public setProperty1 : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Production1208 property1 Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 22
L5 23
.end linenumbertable
.end code
.end method
.method public getProperty2 : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Production1208 property2 Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 28
.end linenumbertable
.end code
.end method
.method public setProperty2 : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Production1208 property2 Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 32
L5 33
.end linenumbertable
.end code
.end method
.method public getProperty3 : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Production1208 property3 Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 38
.end linenumbertable
.end code
.end method
.method public setProperty3 : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Production1208 property3 Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 42
L5 43
.end linenumbertable
.end code
.end method
.method public getProperty4 : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Production1208 property4 Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 48
.end linenumbertable
.end code
.end method
.method public setProperty4 : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Production1208 property4 Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 52
L5 53
.end linenumbertable
.end code
.end method
.method public getProperty5 : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Production1208 property5 Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 58
.end linenumbertable
.end code
.end method
.method public setProperty5 : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Production1208 property5 Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 62
L5 63
.end linenumbertable
.end code
.end method
.method public getProperty6 : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Production1208 property6 Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 68
.end linenumbertable
.end code
.end method
.method public setProperty6 : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Production1208 property6 Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 72
L5 73
.end linenumbertable
.end code
.end method
.method public getProperty7 : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Production1208 property7 Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 78
.end linenumbertable
.end code
.end method
.method public setProperty7 : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Production1208 property7 Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 82
L5 83
.end linenumbertable
.end code
.end method
.method public getProperty8 : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Production1208 property8 Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 88
.end linenumbertable
.end code
.end method
.method public setProperty8 : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Production1208 property8 Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 92
L5 93
.end linenumbertable
.end code
.end method
.method public getProperty9 : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Production1208 property9 Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 98
.end linenumbertable
.end code
.end method
.method public setProperty9 : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Production1208 property9 Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 102
L5 103
.end linenumbertable
.end code
.end method
.sourcefile 'Production1208.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 18:44: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 Production1208_ESTest extends Production1208_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
Production1208 production1208_0 = new Production1208();
production1208_0.setProperty9("Ud=jNN");
String string0 = production1208_0.getProperty9();
assertEquals("Ud=jNN", string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
Production1208 production1208_0 = new Production1208();
production1208_0.setProperty9("");
String string0 = production1208_0.getProperty9();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
Production1208 production1208_0 = new Production1208();
production1208_0.setProperty8("-Sv");
String string0 = production1208_0.getProperty8();
assertEquals("-Sv", string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
Production1208 production1208_0 = new Production1208();
production1208_0.setProperty8("");
String string0 = production1208_0.getProperty8();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
Production1208 production1208_0 = new Production1208();
production1208_0.setProperty7("?=D_tCP5}");
String string0 = production1208_0.getProperty7();
assertEquals("?=D_tCP5}", string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
Production1208 production1208_0 = new Production1208();
production1208_0.setProperty6("&cD_S&");
String string0 = production1208_0.getProperty6();
assertEquals("&cD_S&", string0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
Production1208 production1208_0 = new Production1208();
production1208_0.setProperty6("");
String string0 = production1208_0.getProperty6();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
Production1208 production1208_0 = new Production1208();
production1208_0.setProperty5("?XlPI%");
String string0 = production1208_0.getProperty5();
assertEquals("?XlPI%", string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
Production1208 production1208_0 = new Production1208();
production1208_0.setProperty5("");
String string0 = production1208_0.getProperty5();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
Production1208 production1208_0 = new Production1208();
production1208_0.setProperty4("@aON6rJ`");
String string0 = production1208_0.getProperty4();
assertEquals("@aON6rJ`", string0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
Production1208 production1208_0 = new Production1208();
production1208_0.setProperty3("!_{C}&Gjfy");
String string0 = production1208_0.getProperty3();
assertEquals("!_{C}&Gjfy", string0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
Production1208 production1208_0 = new Production1208();
production1208_0.setProperty3("");
String string0 = production1208_0.getProperty3();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
Production1208 production1208_0 = new Production1208();
production1208_0.setProperty2("v_@e");
String string0 = production1208_0.getProperty2();
assertNotNull(string0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
Production1208 production1208_0 = new Production1208();
production1208_0.setProperty2("");
String string0 = production1208_0.getProperty2();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
Production1208 production1208_0 = new Production1208();
production1208_0.setProperty1("&cD_S&");
String string0 = production1208_0.getProperty1();
assertEquals("&cD_S&", string0);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
Production1208 production1208_0 = new Production1208();
production1208_0.setProperty1("");
String string0 = production1208_0.getProperty1();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
Production1208 production1208_0 = new Production1208();
production1208_0.setProperty0(",jixcp9SFUP}*i[N1");
String string0 = production1208_0.getProperty0();
assertEquals(",jixcp9SFUP}*i[N1", string0);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
Production1208 production1208_0 = new Production1208();
production1208_0.setProperty0("");
String string0 = production1208_0.getProperty0();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
Production1208 production1208_0 = new Production1208();
production1208_0.setProperty4("");
String string0 = production1208_0.getProperty4();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test19() throws Throwable {
Production1208 production1208_0 = new Production1208();
String string0 = production1208_0.getProperty7();
assertNull(string0);
}
@Test(timeout = 4000)
public void test20() throws Throwable {
Production1208 production1208_0 = new Production1208();
String string0 = production1208_0.getProperty1();
assertNull(string0);
}
@Test(timeout = 4000)
public void test21() throws Throwable {
Production1208 production1208_0 = new Production1208();
String string0 = production1208_0.getProperty8();
assertNull(string0);
}
@Test(timeout = 4000)
public void test22() throws Throwable {
Production1208 production1208_0 = new Production1208();
String string0 = production1208_0.getProperty0();
assertNull(string0);
}
@Test(timeout = 4000)
public void test23() throws Throwable {
Production1208 production1208_0 = new Production1208();
String string0 = production1208_0.getProperty4();
assertNull(string0);
}
@Test(timeout = 4000)
public void test24() throws Throwable {
Production1208 production1208_0 = new Production1208();
production1208_0.setProperty7("");
String string0 = production1208_0.getProperty7();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test25() throws Throwable {
Production1208 production1208_0 = new Production1208();
String string0 = production1208_0.getProperty9();
assertNull(string0);
}
@Test(timeout = 4000)
public void test26() throws Throwable {
Production1208 production1208_0 = new Production1208();
String string0 = production1208_0.getProperty5();
assertNull(string0);
}
@Test(timeout = 4000)
public void test27() throws Throwable {
Production1208 production1208_0 = new Production1208();
String string0 = production1208_0.getProperty3();
assertNull(string0);
}
@Test(timeout = 4000)
public void test28() throws Throwable {
Production1208 production1208_0 = new Production1208();
String string0 = production1208_0.getProperty6();
assertNull(string0);
}
@Test(timeout = 4000)
public void test29() throws Throwable {
Production1208 production1208_0 = new Production1208();
String string0 = production1208_0.getProperty2();
assertNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 18:44: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 Production1208_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 = "Production1208";
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/tmpl2vtbbo7");
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(Production1208_ESTest_scaffolding.class.getClassLoader() ,
"Production1208"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Production1208_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Production1208"
);
}
}
| 1,496 |
JavaClassNaming | import java.io.StringWriter;
public class JavaClassNaming {
private static final String DATABASE_NAMING_SEPARATOR = "_";
private static final String URL_NAMING_SEPARATOR = "-";
/**
* converts a table name to the corresponding url piece<br>
* Conventions are of type : abc-def
*/
public static String getUrlPiece(String tableName) {
return tableName.toLowerCase().replace(DATABASE_NAMING_SEPARATOR, URL_NAMING_SEPARATOR);
}
/**
* converts a table name to the corresponding class name<br>
* java conventions are used
*/
public static String toClassName(String arg) {
String[] elements = arg.toLowerCase().split(DATABASE_NAMING_SEPARATOR);
String result = "";
for (int i = 0; i < elements.length; i++) {
elements[i] =
elements[i].substring(0, 1).toUpperCase()
+ elements[i].substring(1, elements[i].length());
result = result + elements[i];
}
return result;
}
/**
* converts a table name to the corresponding object name<br>
* java conventions are used
*/
public static String toObjectName(String arg) {
String[] elements = arg.toLowerCase().split(DATABASE_NAMING_SEPARATOR);
String result = elements[0];
for (int i = 1; i < elements.length; i++) {
elements[i] =
elements[i].substring(0, 1).toUpperCase()
+ elements[i].substring(1, elements[i].length());
result = result + elements[i];
}
return result;
}
public static String getClassNameFromObjectName(String arg) {
return arg.substring(0, 1).toUpperCase() + arg.substring(1, arg.length());
}
public static String toDatabaseName(String arg) {
if (arg == null) {
return null;
}
if (arg.isEmpty()) {
return "";
}
StringWriter writer = new StringWriter();
boolean start = true;
for (char x : arg.toCharArray()) {
if (start) {
start = false;
} else {
if (Character.isUpperCase(x)) {
writer.append("_");
}
}
writer.append(Character.toUpperCase(x));
}
return writer.toString();
}
}
| .version 52 0
.class public super JavaClassNaming
.super java/lang/Object
.field private static final DATABASE_NAMING_SEPARATOR Ljava/lang/String; = '_'
.field private static final URL_NAMING_SEPARATOR 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 5
.end linenumbertable
.end code
.end method
.method public static getUrlPiece : (Ljava/lang/String;)Ljava/lang/String;
.code stack 3 locals 1
L0: aload_0
L1: invokevirtual Method java/lang/String toLowerCase ()Ljava/lang/String;
L4: ldc '_'
L6: ldc '-'
L8: invokevirtual Method java/lang/String replace (Ljava/lang/CharSequence;Ljava/lang/CharSequence;)Ljava/lang/String;
L11: areturn
L12:
.linenumbertable
L0 16
.end linenumbertable
.end code
.end method
.method public static toClassName : (Ljava/lang/String;)Ljava/lang/String;
.code stack 7 locals 4
L0: aload_0
L1: invokevirtual Method java/lang/String toLowerCase ()Ljava/lang/String;
L4: ldc '_'
L6: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String;
L9: astore_1
L10: ldc ''
L12: astore_2
L13: iconst_0
L14: istore_3
.stack append Object [Ljava/lang/String; Object java/lang/String Integer
L15: iload_3
L16: aload_1
L17: arraylength
L18: if_icmpge L91
L21: aload_1
L22: iload_3
L23: new java/lang/StringBuilder
L26: dup
L27: invokespecial Method java/lang/StringBuilder <init> ()V
L30: aload_1
L31: iload_3
L32: aaload
L33: iconst_0
L34: iconst_1
L35: invokevirtual Method java/lang/String substring (II)Ljava/lang/String;
L38: invokevirtual Method java/lang/String toUpperCase ()Ljava/lang/String;
L41: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L44: aload_1
L45: iload_3
L46: aaload
L47: iconst_1
L48: aload_1
L49: iload_3
L50: aaload
L51: invokevirtual Method java/lang/String length ()I
L54: invokevirtual Method java/lang/String substring (II)Ljava/lang/String;
L57: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L60: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L63: aastore
L64: new java/lang/StringBuilder
L67: dup
L68: invokespecial Method java/lang/StringBuilder <init> ()V
L71: aload_2
L72: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L75: aload_1
L76: iload_3
L77: aaload
L78: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L81: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L84: astore_2
L85: iinc 3 1
L88: goto L15
.stack chop 1
L91: aload_2
L92: areturn
L93:
.linenumbertable
L0 24
L10 25
L13 26
L21 27
L64 28
L85 26
L91 31
.end linenumbertable
.end code
.end method
.method public static toObjectName : (Ljava/lang/String;)Ljava/lang/String;
.code stack 7 locals 4
L0: aload_0
L1: invokevirtual Method java/lang/String toLowerCase ()Ljava/lang/String;
L4: ldc '_'
L6: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String;
L9: astore_1
L10: aload_1
L11: iconst_0
L12: aaload
L13: astore_2
L14: iconst_1
L15: istore_3
.stack append Object [Ljava/lang/String; Object java/lang/String Integer
L16: iload_3
L17: aload_1
L18: arraylength
L19: if_icmpge L92
L22: aload_1
L23: iload_3
L24: new java/lang/StringBuilder
L27: dup
L28: invokespecial Method java/lang/StringBuilder <init> ()V
L31: aload_1
L32: iload_3
L33: aaload
L34: iconst_0
L35: iconst_1
L36: invokevirtual Method java/lang/String substring (II)Ljava/lang/String;
L39: invokevirtual Method java/lang/String toUpperCase ()Ljava/lang/String;
L42: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L45: aload_1
L46: iload_3
L47: aaload
L48: iconst_1
L49: aload_1
L50: iload_3
L51: aaload
L52: invokevirtual Method java/lang/String length ()I
L55: invokevirtual Method java/lang/String substring (II)Ljava/lang/String;
L58: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L61: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L64: aastore
L65: new java/lang/StringBuilder
L68: dup
L69: invokespecial Method java/lang/StringBuilder <init> ()V
L72: aload_2
L73: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L76: aload_1
L77: iload_3
L78: aaload
L79: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L82: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L85: astore_2
L86: iinc 3 1
L89: goto L16
.stack chop 1
L92: aload_2
L93: areturn
L94:
.linenumbertable
L0 40
L10 41
L14 42
L22 43
L65 44
L86 42
L92 47
.end linenumbertable
.end code
.end method
.method public static getClassNameFromObjectName : (Ljava/lang/String;)Ljava/lang/String;
.code stack 4 locals 1
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: aload_0
L8: iconst_0
L9: iconst_1
L10: invokevirtual Method java/lang/String substring (II)Ljava/lang/String;
L13: invokevirtual Method java/lang/String toUpperCase ()Ljava/lang/String;
L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L19: aload_0
L20: iconst_1
L21: aload_0
L22: invokevirtual Method java/lang/String length ()I
L25: invokevirtual Method java/lang/String substring (II)Ljava/lang/String;
L28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L31: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L34: areturn
L35:
.linenumbertable
L0 52
.end linenumbertable
.end code
.end method
.method public static toDatabaseName : (Ljava/lang/String;)Ljava/lang/String;
.code stack 2 locals 7
L0: aload_0
L1: ifnonnull L6
L4: aconst_null
L5: areturn
.stack same
L6: aload_0
L7: invokevirtual Method java/lang/String isEmpty ()Z
L10: ifeq L16
L13: ldc ''
L15: areturn
.stack same
L16: new java/io/StringWriter
L19: dup
L20: invokespecial Method java/io/StringWriter <init> ()V
L23: astore_1
L24: iconst_1
L25: istore_2
L26: aload_0
L27: invokevirtual Method java/lang/String toCharArray ()[C
L30: astore_3
L31: aload_3
L32: arraylength
L33: istore 4
L35: iconst_0
L36: istore 5
.stack full
locals Object java/lang/String Object java/io/StringWriter Integer Object [C Integer Integer
stack
.end stack
L38: iload 5
L40: iload 4
L42: if_icmpge L91
L45: aload_3
L46: iload 5
L48: caload
L49: istore 6
L51: iload_2
L52: ifeq L60
L55: iconst_0
L56: istore_2
L57: goto L75
.stack append Integer
L60: iload 6
L62: invokestatic Method java/lang/Character isUpperCase (C)Z
L65: ifeq L75
L68: aload_1
L69: ldc '_'
L71: invokevirtual Method java/io/StringWriter append (Ljava/lang/CharSequence;)Ljava/io/StringWriter;
L74: pop
.stack same
L75: aload_1
L76: iload 6
L78: invokestatic Method java/lang/Character toUpperCase (C)C
L81: invokevirtual Method java/io/StringWriter append (C)Ljava/io/StringWriter;
L84: pop
L85: iinc 5 1
L88: goto L38
.stack full
locals Object java/lang/String Object java/io/StringWriter Integer
stack
.end stack
L91: aload_1
L92: invokevirtual Method java/io/StringWriter toString ()Ljava/lang/String;
L95: areturn
L96:
.linenumbertable
L0 56
L4 57
L6 59
L13 60
L16 62
L24 63
L26 65
L51 66
L55 67
L60 69
L68 70
L75 73
L85 65
L91 76
.end linenumbertable
.end code
.end method
.sourcefile 'JavaClassNaming.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 08:00: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 JavaClassNaming_ESTest extends JavaClassNaming_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
JavaClassNaming.getUrlPiece("<B");
JavaClassNaming.toDatabaseName("XcWUz`vvy6N?*XRe<S");
JavaClassNaming.toObjectName("_XC_W_UZ`VVY6_N?*_X_RE<_S");
JavaClassNaming.getClassNameFromObjectName("0uWQZ#z%tCid3*=");
JavaClassNaming.getUrlPiece("`N(BH");
JavaClassNaming.toDatabaseName("");
JavaClassNaming.toDatabaseName("XcWUz`vvy6N?*XRe<S");
JavaClassNaming.getUrlPiece(")ucB");
JavaClassNaming javaClassNaming0 = new JavaClassNaming();
}
@Test(timeout = 4000)
public void test1() throws Throwable {
JavaClassNaming.getUrlPiece("<B");
JavaClassNaming.toObjectName("Y^d");
JavaClassNaming.toDatabaseName("XcWUz`vvy6N?*XRe<S");
JavaClassNaming.toObjectName("_XC_W_UZ`VVY6_N?*_X_RE<_S");
JavaClassNaming.getClassNameFromObjectName("0uWQZ#z%tCid3*=");
JavaClassNaming.getUrlPiece("`N(BH");
JavaClassNaming.getUrlPiece(")ucB");
JavaClassNaming javaClassNaming0 = new JavaClassNaming();
}
@Test(timeout = 4000)
public void test2() throws Throwable {
String string0 = JavaClassNaming.toObjectName("");
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
String string0 = JavaClassNaming.getUrlPiece("");
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
String string0 = JavaClassNaming.toDatabaseName((String) null);
assertNull(string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
String string0 = JavaClassNaming.toClassName("Y^d");
assertEquals("Y^d", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 08:00: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 JavaClassNaming_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 = "JavaClassNaming";
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/tmpzxclcq6b");
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(JavaClassNaming_ESTest_scaffolding.class.getClassLoader() ,
"JavaClassNaming"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(JavaClassNaming_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"JavaClassNaming"
);
}
}
| 1,497 |
Credentials | import java.io.Serializable;
public class Credentials implements Serializable {
private static final long serialVersionUID = 4752612308930167986L;
private String username;
private String password;
public Credentials() {}
public String getUsername() {
return username;
}
public void setUsername(String username) {
this.username = username;
}
public String getPassword() {
return password;
}
public void setPassword(String password) {
this.password = password;
}
@Override
public int hashCode() {
final int prime = 31;
int result = 1;
result = prime * result + ((password == null) ? 0 : password.hashCode());
result = prime * result + ((username == null) ? 0 : username.hashCode());
return result;
}
@Override
public boolean equals(Object obj) {
if (this == obj) return true;
if (obj == null) return false;
if (!(obj instanceof Credentials)) return false;
Credentials other = (Credentials) obj;
if (password == null) {
if (other.password != null) return false;
} else if (!password.equals(other.password)) return false;
if (username == null) {
if (other.username != null) return false;
} else if (!username.equals(other.username)) return false;
return true;
}
@Override
public String toString() {
return String.format("Credentials [username=%s]", username);
}
}
| .version 52 0
.class public super Credentials
.super java/lang/Object
.implements java/io/Serializable
.field private static final serialVersionUID J = 4752612308930167986L
.field private username Ljava/lang/String;
.field private password Ljava/lang/String;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 13
L4 14
.end linenumbertable
.end code
.end method
.method public getUsername : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Credentials username Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 17
.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 Credentials username Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 21
L5 22
.end linenumbertable
.end code
.end method
.method public getPassword : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Credentials password Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 25
.end linenumbertable
.end code
.end method
.method public setPassword : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Credentials password Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 29
L5 30
.end linenumbertable
.end code
.end method
.method public hashCode : ()I
.code stack 2 locals 3
L0: iconst_1
L1: istore_2
L2: bipush 31
L4: iload_2
L5: imul
L6: aload_0
L7: getfield Field Credentials password Ljava/lang/String;
L10: ifnonnull L17
L13: iconst_0
L14: goto L24
.stack full
locals Object Credentials Top Integer
stack Integer
.end stack
L17: aload_0
L18: getfield Field Credentials password Ljava/lang/String;
L21: invokevirtual Method java/lang/String hashCode ()I
.stack full
locals Object Credentials Top Integer
stack Integer Integer
.end stack
L24: iadd
L25: istore_2
L26: bipush 31
L28: iload_2
L29: imul
L30: aload_0
L31: getfield Field Credentials username Ljava/lang/String;
L34: ifnonnull L41
L37: iconst_0
L38: goto L48
.stack stack_1 Integer
L41: aload_0
L42: getfield Field Credentials username Ljava/lang/String;
L45: invokevirtual Method java/lang/String hashCode ()I
.stack full
locals Object Credentials Top Integer
stack Integer Integer
.end stack
L48: iadd
L49: istore_2
L50: iload_2
L51: ireturn
L52:
.linenumbertable
L0 35
L2 36
L26 37
L50 38
.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 Credentials
L17: ifne L22
L20: iconst_0
L21: ireturn
.stack same
L22: aload_1
L23: checkcast Credentials
L26: astore_2
L27: aload_0
L28: getfield Field Credentials password Ljava/lang/String;
L31: ifnonnull L43
L34: aload_2
L35: getfield Field Credentials password Ljava/lang/String;
L38: ifnull L59
L41: iconst_0
L42: ireturn
.stack append Object Credentials
L43: aload_0
L44: getfield Field Credentials password Ljava/lang/String;
L47: aload_2
L48: getfield Field Credentials password Ljava/lang/String;
L51: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L54: ifne L59
L57: iconst_0
L58: ireturn
.stack same
L59: aload_0
L60: getfield Field Credentials username Ljava/lang/String;
L63: ifnonnull L75
L66: aload_2
L67: getfield Field Credentials username Ljava/lang/String;
L70: ifnull L91
L73: iconst_0
L74: ireturn
.stack same
L75: aload_0
L76: getfield Field Credentials username Ljava/lang/String;
L79: aload_2
L80: getfield Field Credentials username Ljava/lang/String;
L83: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L86: ifne L91
L89: iconst_0
L90: ireturn
.stack same
L91: iconst_1
L92: ireturn
L93:
.linenumbertable
L0 43
L5 44
L7 45
L11 46
L13 47
L20 48
L22 49
L27 50
L34 51
L41 52
L43 53
L57 54
L59 55
L66 56
L73 57
L75 58
L89 59
L91 60
.end linenumbertable
.end code
.end method
.method public toString : ()Ljava/lang/String;
.code stack 5 locals 1
L0: ldc 'Credentials [username=%s]'
L2: iconst_1
L3: anewarray java/lang/Object
L6: dup
L7: iconst_0
L8: aload_0
L9: getfield Field Credentials username Ljava/lang/String;
L12: aastore
L13: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String;
L16: areturn
L17:
.linenumbertable
L0 65
.end linenumbertable
.end code
.end method
.sourcefile 'Credentials.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 06:27: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 Credentials_ESTest extends Credentials_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
Credentials credentials0 = new Credentials();
credentials0.setPassword("");
credentials0.toString();
credentials0.getPassword();
Credentials credentials1 = new Credentials();
assertFalse(credentials1.equals((Object)credentials0));
credentials1.setPassword("");
credentials0.equals(credentials1);
credentials1.getUsername();
assertTrue(credentials1.equals((Object)credentials0));
credentials0.hashCode();
assertTrue(credentials0.equals((Object)credentials1));
}
@Test(timeout = 4000)
public void test01() throws Throwable {
Credentials credentials0 = new Credentials();
credentials0.setUsername("Credentials");
credentials0.hashCode();
}
@Test(timeout = 4000)
public void test02() throws Throwable {
Credentials credentials0 = new Credentials();
credentials0.setUsername("Credentials");
String string0 = credentials0.getUsername();
assertEquals("Credentials", string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
Credentials credentials0 = new Credentials();
credentials0.setUsername("");
String string0 = credentials0.getUsername();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
Credentials credentials0 = new Credentials();
credentials0.setPassword("Credentials [username=Credentials]");
String string0 = credentials0.getPassword();
assertEquals("Credentials [username=Credentials]", string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
Credentials credentials0 = new Credentials();
credentials0.setUsername("");
credentials0.setPassword("");
Credentials credentials1 = new Credentials();
credentials1.setUsername("");
assertFalse(credentials1.equals((Object)credentials0));
credentials1.setPassword("");
boolean boolean0 = credentials0.equals(credentials1);
assertTrue(credentials1.equals((Object)credentials0));
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
Credentials credentials0 = new Credentials();
Credentials credentials1 = new Credentials();
assertTrue(credentials1.equals((Object)credentials0));
credentials1.setUsername("");
boolean boolean0 = credentials0.equals(credentials1);
assertFalse(credentials1.equals((Object)credentials0));
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
Credentials credentials0 = new Credentials();
credentials0.setUsername("");
credentials0.setPassword("");
Credentials credentials1 = new Credentials();
credentials1.setPassword("");
boolean boolean0 = credentials0.equals(credentials1);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
Credentials credentials0 = new Credentials();
Credentials credentials1 = new Credentials();
assertTrue(credentials1.equals((Object)credentials0));
credentials1.setPassword("]UN[Fyav");
boolean boolean0 = credentials0.equals(credentials1);
assertFalse(credentials1.equals((Object)credentials0));
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
Credentials credentials0 = new Credentials();
credentials0.setPassword(" t/-'eL_|r5D");
Credentials credentials1 = new Credentials();
boolean boolean0 = credentials0.equals(credentials1);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
Credentials credentials0 = new Credentials();
boolean boolean0 = credentials0.equals((Object) null);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
Credentials credentials0 = new Credentials();
boolean boolean0 = credentials0.equals(credentials0);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
Credentials credentials0 = new Credentials();
boolean boolean0 = credentials0.equals("Credentials [username=null]");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
Credentials credentials0 = new Credentials();
credentials0.setPassword(" t/-'eL_|r5D");
credentials0.hashCode();
}
@Test(timeout = 4000)
public void test14() throws Throwable {
Credentials credentials0 = new Credentials();
String string0 = credentials0.getPassword();
assertNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 06:27: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 Credentials_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 = "Credentials";
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/tmpef7l9_ur");
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(Credentials_ESTest_scaffolding.class.getClassLoader() ,
"Credentials"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Credentials_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Credentials"
);
}
}
| 1,498 |
MboxOutputStream | /*
* MboxOutputStream.java
* Copyright(C) 1999 Chris Burdess <[email protected]>
*
* This file is part of GNU JavaMail, a library.
*
* GNU JavaMail 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.
*
* GNU JavaMail 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 library; if not, write to the Free Software
* Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA
*
* As a special exception, if you link this library with other files to
* produce an executable, this library does not by itself cause the
* resulting executable to be covered by the GNU General Public License.
* This exception does not however invalidate any other reasons why the
* executable file might be covered by the GNU General Public License.
*/
import java.io.FilterOutputStream;
import java.io.IOException;
import java.io.OutputStream;
/**
* A filter stream that can escape mbox From_ lines in message content. This will only work reliably
* for messages with <4096 bytes in any one line.
*
* @author <a href='mailto:[email protected]'>Chris Burdess</a>
*/
class MboxOutputStream extends FilterOutputStream {
private static byte KET = 62;
/** The buffer where the current line is stored. */
protected byte buf[];
/** The number of valid bytes in the buffer. */
protected int count = 0;
/** Constructs an mbox From_-escaping output stream with a buffer size of 1024 bytes. */
public MboxOutputStream(OutputStream out) {
this(out, 4096);
}
/**
* Constructs an mbox From_-escaping output stream with the specified buffer size.
*
* @param len the buffer size
*/
public MboxOutputStream(OutputStream out, int len) {
super(out);
buf = new byte[len];
}
/** Flush the internal buffer. */
protected void validateAndFlushBuffer() throws IOException {
if (count > 0) {
boolean done = false;
for (int i = 0; i < count - 5 && !done; i++) {
if (buf[i] == 'F'
&& buf[i + 1] == 'r'
&& buf[i + 2] == 'o'
&& buf[i + 3] == 'm'
&& buf[i + 4] == ' ') {
byte[] b2 = new byte[buf.length + 1];
System.arraycopy(buf, 0, b2, 0, buf.length);
b2[i] = KET;
System.arraycopy(buf, i, b2, i + 1, buf.length - i);
buf = b2;
count++;
done = true;
} else if (buf[i] != KET && buf[i] != '\n') {
done = true;
}
}
out.write(buf, 0, count);
count = 0;
}
}
/** Writes the specified byte to this output stream. */
public synchronized void write(int b) throws IOException {
if (b == '\r') return;
if (count > buf.length) validateAndFlushBuffer();
buf[count++] = (byte) b;
if (b == '\n') validateAndFlushBuffer();
}
/**
* Writes <code>len</code> bytes from the specified byte array starting at offset <code>off</code>
* to this output stream.
*/
public synchronized void write(byte b[], int off, int len) throws IOException {
// strip any CRs in the byte array
for (int i = off; i < off + len; i++) {
if (b[i] == '\r') {
byte[] b2 = new byte[b.length - 1];
System.arraycopy(b, off, b2, off, len - 1);
System.arraycopy(b, i + 1, b2, i, len - (i - off) - 1);
b = b2;
len--;
i--;
}
}
// validate and flush a line at a time
for (int i = off; i < off + len; i++) {
if (b[i] == '\n' || i - off > buf.length) {
int cl = (i - off > buf.length) ? buf.length : i - off;
System.arraycopy(b, off, buf, count, cl);
count += cl;
validateAndFlushBuffer();
len = len - (i - off);
byte[] b2 = new byte[b.length];
System.arraycopy(b, i, b2, off, len);
b = b2;
i = off;
}
}
System.arraycopy(b, off, buf, count, len);
count += len;
}
/** Flushes this output stream. */
public synchronized void flush() throws IOException {
validateAndFlushBuffer();
out.flush();
}
}
| .version 52 0
.class super MboxOutputStream
.super java/io/FilterOutputStream
.field private static KET B
.field protected buf [B
.field protected count I
.method public <init> : (Ljava/io/OutputStream;)V
.code stack 3 locals 2
L0: aload_0
L1: aload_1
L2: sipush 4096
L5: invokespecial Method MboxOutputStream <init> (Ljava/io/OutputStream;I)V
L8: return
L9:
.linenumbertable
L0 63
L8 64
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/io/OutputStream;I)V
.code stack 2 locals 3
L0: aload_0
L1: aload_1
L2: invokespecial Method java/io/FilterOutputStream <init> (Ljava/io/OutputStream;)V
L5: aload_0
L6: iconst_0
L7: putfield Field MboxOutputStream count I
L10: aload_0
L11: iload_2
L12: newarray byte
L14: putfield Field MboxOutputStream buf [B
L17: return
L18:
.linenumbertable
L0 73
L5 55
L10 74
L17 75
.end linenumbertable
.end code
.end method
.method protected validateAndFlushBuffer : ()V
.code stack 6 locals 4
L0: aload_0
L1: getfield Field MboxOutputStream count I
L4: ifle L210
L7: iconst_0
L8: istore_1
L9: iconst_0
L10: istore_2
.stack append Integer Integer
L11: iload_2
L12: aload_0
L13: getfield Field MboxOutputStream count I
L16: iconst_5
L17: isub
L18: if_icmpge L189
L21: iload_1
L22: ifne L189
L25: aload_0
L26: getfield Field MboxOutputStream buf [B
L29: iload_2
L30: baload
L31: bipush 70
L33: if_icmpne L158
L36: aload_0
L37: getfield Field MboxOutputStream buf [B
L40: iload_2
L41: iconst_1
L42: iadd
L43: baload
L44: bipush 114
L46: if_icmpne L158
L49: aload_0
L50: getfield Field MboxOutputStream buf [B
L53: iload_2
L54: iconst_2
L55: iadd
L56: baload
L57: bipush 111
L59: if_icmpne L158
L62: aload_0
L63: getfield Field MboxOutputStream buf [B
L66: iload_2
L67: iconst_3
L68: iadd
L69: baload
L70: bipush 109
L72: if_icmpne L158
L75: aload_0
L76: getfield Field MboxOutputStream buf [B
L79: iload_2
L80: iconst_4
L81: iadd
L82: baload
L83: bipush 32
L85: if_icmpne L158
L88: aload_0
L89: getfield Field MboxOutputStream buf [B
L92: arraylength
L93: iconst_1
L94: iadd
L95: newarray byte
L97: astore_3
L98: aload_0
L99: getfield Field MboxOutputStream buf [B
L102: iconst_0
L103: aload_3
L104: iconst_0
L105: aload_0
L106: getfield Field MboxOutputStream buf [B
L109: arraylength
L110: invokestatic Method java/lang/System arraycopy (Ljava/lang/Object;ILjava/lang/Object;II)V
L113: aload_3
L114: iload_2
L115: getstatic Field MboxOutputStream KET B
L118: bastore
L119: aload_0
L120: getfield Field MboxOutputStream buf [B
L123: iload_2
L124: aload_3
L125: iload_2
L126: iconst_1
L127: iadd
L128: aload_0
L129: getfield Field MboxOutputStream buf [B
L132: arraylength
L133: iload_2
L134: isub
L135: invokestatic Method java/lang/System arraycopy (Ljava/lang/Object;ILjava/lang/Object;II)V
L138: aload_0
L139: aload_3
L140: putfield Field MboxOutputStream buf [B
L143: aload_0
L144: dup
L145: getfield Field MboxOutputStream count I
L148: iconst_1
L149: iadd
L150: putfield Field MboxOutputStream count I
L153: iconst_1
L154: istore_1
L155: goto L183
.stack same_extended
L158: aload_0
L159: getfield Field MboxOutputStream buf [B
L162: iload_2
L163: baload
L164: getstatic Field MboxOutputStream KET B
L167: if_icmpeq L183
L170: aload_0
L171: getfield Field MboxOutputStream buf [B
L174: iload_2
L175: baload
L176: bipush 10
L178: if_icmpeq L183
L181: iconst_1
L182: istore_1
.stack same
L183: iinc 2 1
L186: goto L11
.stack chop 1
L189: aload_0
L190: getfield Field MboxOutputStream out Ljava/io/OutputStream;
L193: aload_0
L194: getfield Field MboxOutputStream buf [B
L197: iconst_0
L198: aload_0
L199: getfield Field MboxOutputStream count I
L202: invokevirtual Method java/io/OutputStream write ([BII)V
L205: aload_0
L206: iconst_0
L207: putfield Field MboxOutputStream count I
.stack chop 1
L210: return
L211:
.linenumbertable
L0 83
L7 85
L9 86
L25 88
L88 94
L98 95
L113 96
L119 97
L138 98
L143 99
L153 100
L155 101
L158 102
L181 104
L183 86
L189 107
L205 108
L210 110
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.method public synchronized write : (I)V
.code stack 5 locals 2
L0: iload_1
L1: bipush 13
L3: if_icmpne L7
L6: return
.stack same
L7: aload_0
L8: getfield Field MboxOutputStream count I
L11: aload_0
L12: getfield Field MboxOutputStream buf [B
L15: arraylength
L16: if_icmple L23
L19: aload_0
L20: invokevirtual Method MboxOutputStream validateAndFlushBuffer ()V
.stack same
L23: aload_0
L24: getfield Field MboxOutputStream buf [B
L27: aload_0
L28: dup
L29: getfield Field MboxOutputStream count I
L32: dup_x1
L33: iconst_1
L34: iadd
L35: putfield Field MboxOutputStream count I
L38: iload_1
L39: i2b
L40: bastore
L41: iload_1
L42: bipush 10
L44: if_icmpne L51
L47: aload_0
L48: invokevirtual Method MboxOutputStream validateAndFlushBuffer ()V
.stack same
L51: return
L52:
.linenumbertable
L0 118
L6 119
L7 120
L19 121
L23 122
L41 123
L47 124
L51 125
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.method public synchronized write : ([BII)V
.code stack 7 locals 7
L0: iload_2
L1: istore 4
.stack append Integer
L3: iload 4
L5: iload_2
L6: iload_3
L7: iadd
L8: if_icmpge L74
L11: aload_1
L12: iload 4
L14: baload
L15: bipush 13
L17: if_icmpne L68
L20: aload_1
L21: arraylength
L22: iconst_1
L23: isub
L24: newarray byte
L26: astore 5
L28: aload_1
L29: iload_2
L30: aload 5
L32: iload_2
L33: iload_3
L34: iconst_1
L35: isub
L36: invokestatic Method java/lang/System arraycopy (Ljava/lang/Object;ILjava/lang/Object;II)V
L39: aload_1
L40: iload 4
L42: iconst_1
L43: iadd
L44: aload 5
L46: iload 4
L48: iload_3
L49: iload 4
L51: iload_2
L52: isub
L53: isub
L54: iconst_1
L55: isub
L56: invokestatic Method java/lang/System arraycopy (Ljava/lang/Object;ILjava/lang/Object;II)V
L59: aload 5
L61: astore_1
L62: iinc 3 -1
L65: iinc 4 -1
.stack same_extended
L68: iinc 4 1
L71: goto L3
.stack chop 1
L74: iload_2
L75: istore 4
.stack append Integer
L77: iload 4
L79: iload_2
L80: iload_3
L81: iadd
L82: if_icmpge L197
L85: aload_1
L86: iload 4
L88: baload
L89: bipush 10
L91: if_icmpeq L106
L94: iload 4
L96: iload_2
L97: isub
L98: aload_0
L99: getfield Field MboxOutputStream buf [B
L102: arraylength
L103: if_icmple L191
.stack same
L106: iload 4
L108: iload_2
L109: isub
L110: aload_0
L111: getfield Field MboxOutputStream buf [B
L114: arraylength
L115: if_icmple L126
L118: aload_0
L119: getfield Field MboxOutputStream buf [B
L122: arraylength
L123: goto L130
.stack same
L126: iload 4
L128: iload_2
L129: isub
.stack stack_1 Integer
L130: istore 5
L132: aload_1
L133: iload_2
L134: aload_0
L135: getfield Field MboxOutputStream buf [B
L138: aload_0
L139: getfield Field MboxOutputStream count I
L142: iload 5
L144: invokestatic Method java/lang/System arraycopy (Ljava/lang/Object;ILjava/lang/Object;II)V
L147: aload_0
L148: dup
L149: getfield Field MboxOutputStream count I
L152: iload 5
L154: iadd
L155: putfield Field MboxOutputStream count I
L158: aload_0
L159: invokevirtual Method MboxOutputStream validateAndFlushBuffer ()V
L162: iload_3
L163: iload 4
L165: iload_2
L166: isub
L167: isub
L168: istore_3
L169: aload_1
L170: arraylength
L171: newarray byte
L173: astore 6
L175: aload_1
L176: iload 4
L178: aload 6
L180: iload_2
L181: iload_3
L182: invokestatic Method java/lang/System arraycopy (Ljava/lang/Object;ILjava/lang/Object;II)V
L185: aload 6
L187: astore_1
L188: iload_2
L189: istore 4
.stack same
L191: iinc 4 1
L194: goto L77
.stack chop 1
L197: aload_1
L198: iload_2
L199: aload_0
L200: getfield Field MboxOutputStream buf [B
L203: aload_0
L204: getfield Field MboxOutputStream count I
L207: iload_3
L208: invokestatic Method java/lang/System arraycopy (Ljava/lang/Object;ILjava/lang/Object;II)V
L211: aload_0
L212: dup
L213: getfield Field MboxOutputStream count I
L216: iload_3
L217: iadd
L218: putfield Field MboxOutputStream count I
L221: return
L222:
.linenumbertable
L0 135
L11 137
L20 139
L28 140
L39 141
L59 142
L62 143
L65 144
L68 135
L74 148
L85 150
L106 152
L132 153
L147 154
L158 155
L162 156
L169 157
L175 158
L185 159
L188 160
L191 148
L197 163
L211 164
L221 165
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.method public synchronized flush : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokevirtual Method MboxOutputStream validateAndFlushBuffer ()V
L4: aload_0
L5: getfield Field MboxOutputStream out Ljava/io/OutputStream;
L8: invokevirtual Method java/io/OutputStream flush ()V
L11: return
L12:
.linenumbertable
L0 173
L4 174
L11 175
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.method static <clinit> : ()V
.code stack 1 locals 0
L0: bipush 62
L2: putstatic Field MboxOutputStream KET B
L5: return
L6:
.linenumbertable
L0 45
.end linenumbertable
.end code
.end method
.sourcefile 'MboxOutputStream.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 21:27:54 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.io.ByteArrayOutputStream;
import java.io.DataOutputStream;
import java.io.FileNotFoundException;
import java.io.FilterOutputStream;
import java.io.IOException;
import java.io.ObjectOutputStream;
import java.io.OutputStream;
import java.io.PipedInputStream;
import java.io.PipedOutputStream;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.mock.java.io.MockFile;
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 MboxOutputStream_ESTest extends MboxOutputStream_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
ByteArrayOutputStream byteArrayOutputStream0 = new ByteArrayOutputStream(114);
MboxOutputStream mboxOutputStream0 = new MboxOutputStream(byteArrayOutputStream0);
byte[] byteArray0 = new byte[4];
mboxOutputStream0.write(byteArray0);
byteArray0[0] = (byte)0;
byteArray0[1] = (byte)112;
byteArray0[2] = (byte)77;
byteArrayOutputStream0.writeTo(mboxOutputStream0);
byteArray0[3] = (byte)98;
// Undeclared exception!
try {
mboxOutputStream0.write(byteArray0, (int) (byte)112, 0);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
}
}
@Test(timeout = 4000)
public void test01() throws Throwable {
PipedOutputStream pipedOutputStream0 = new PipedOutputStream();
MboxOutputStream mboxOutputStream0 = new MboxOutputStream(pipedOutputStream0, 0);
FilterOutputStream filterOutputStream0 = new FilterOutputStream(mboxOutputStream0);
MockPrintStream mockPrintStream0 = new MockPrintStream(filterOutputStream0, true);
// Undeclared exception!
try {
mockPrintStream0.append('L');
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 0
//
verifyException("MboxOutputStream", e);
}
}
@Test(timeout = 4000)
public void test02() throws Throwable {
MboxOutputStream mboxOutputStream0 = new MboxOutputStream((OutputStream) null);
byte[] byteArray0 = new byte[2];
byteArray0[0] = (byte)0;
byteArray0[1] = (byte)76;
mboxOutputStream0.write(byteArray0, 0, (int) (byte)0);
// Undeclared exception!
try {
mboxOutputStream0.flush();
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("MboxOutputStream", e);
}
}
@Test(timeout = 4000)
public void test03() throws Throwable {
PipedOutputStream pipedOutputStream0 = new PipedOutputStream();
MboxOutputStream mboxOutputStream0 = new MboxOutputStream(pipedOutputStream0);
byte[] byteArray0 = new byte[4];
byteArray0[0] = (byte)3;
byteArray0[1] = (byte)2;
byteArray0[2] = (byte) (-100);
byteArray0[3] = (byte)3;
// Undeclared exception!
try {
mboxOutputStream0.write(byteArray0, 1, (int) (byte) (-100));
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
}
}
@Test(timeout = 4000)
public void test04() throws Throwable {
MockPrintStream mockPrintStream0 = new MockPrintStream("b");
MockPrintStream mockPrintStream1 = new MockPrintStream(mockPrintStream0, true);
MboxOutputStream mboxOutputStream0 = new MboxOutputStream(mockPrintStream1);
mboxOutputStream0.write((-44653));
mboxOutputStream0.validateAndFlushBuffer();
mboxOutputStream0.write((-58938));
mboxOutputStream0.flush();
}
@Test(timeout = 4000)
public void test05() throws Throwable {
MboxOutputStream mboxOutputStream0 = new MboxOutputStream((OutputStream) null);
// Undeclared exception!
try {
mboxOutputStream0.close();
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("MboxOutputStream", e);
}
}
@Test(timeout = 4000)
public void test06() throws Throwable {
MockFileOutputStream mockFileOutputStream0 = new MockFileOutputStream("|;|/@i&%)>^R");
DataOutputStream dataOutputStream0 = new DataOutputStream(mockFileOutputStream0);
ObjectOutputStream objectOutputStream0 = new ObjectOutputStream(dataOutputStream0);
MboxOutputStream mboxOutputStream0 = new MboxOutputStream(objectOutputStream0, 4064);
byte[] byteArray0 = new byte[3];
byteArray0[0] = (byte)10;
byteArray0[1] = (byte)115;
byteArray0[2] = (byte)1;
// Undeclared exception!
try {
mboxOutputStream0.write(byteArray0, (-37430), (int) (byte)115);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// -37430
//
verifyException("MboxOutputStream", e);
}
}
@Test(timeout = 4000)
public void test07() throws Throwable {
String string0 = "";
MockPrintStream mockPrintStream0 = null;
try {
mockPrintStream0 = new MockPrintStream((OutputStream) null, true, "");
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// Null output stream
//
verifyException("java.io.PrintStream", e);
}
}
@Test(timeout = 4000)
public void test08() throws Throwable {
PipedOutputStream pipedOutputStream0 = new PipedOutputStream();
PipedInputStream pipedInputStream0 = new PipedInputStream(pipedOutputStream0);
PipedOutputStream pipedOutputStream1 = null;
try {
pipedOutputStream1 = new PipedOutputStream(pipedInputStream0);
fail("Expecting exception: IOException");
} catch(Throwable e) {
//
// Already connected
//
verifyException("java.io.PipedOutputStream", e);
}
}
@Test(timeout = 4000)
public void test09() throws Throwable {
MboxOutputStream mboxOutputStream0 = new MboxOutputStream((OutputStream) null, 0);
byte[] byteArray0 = new byte[2];
byteArray0[0] = (byte)54;
byteArray0[1] = (byte) (-7);
// Undeclared exception!
try {
mboxOutputStream0.write(byteArray0);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
}
}
@Test(timeout = 4000)
public void test10() throws Throwable {
String string0 = "";
MockFile mockFile0 = new MockFile((String) null, "");
MockPrintStream mockPrintStream0 = null;
try {
mockPrintStream0 = new MockPrintStream(mockFile0, "");
fail("Expecting exception: FileNotFoundException");
} catch(Throwable e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("org.evosuite.runtime.mock.java.io.MockFileOutputStream", e);
}
}
@Test(timeout = 4000)
public void test11() throws Throwable {
ByteArrayOutputStream byteArrayOutputStream0 = new ByteArrayOutputStream(1);
MockPrintStream mockPrintStream0 = new MockPrintStream(byteArrayOutputStream0, true);
FilterOutputStream filterOutputStream0 = new FilterOutputStream(mockPrintStream0);
filterOutputStream0.flush();
MboxOutputStream mboxOutputStream0 = new MboxOutputStream(filterOutputStream0);
byteArrayOutputStream0.close();
mboxOutputStream0.write(4096);
mboxOutputStream0.validateAndFlushBuffer();
byte[] byteArray0 = new byte[7];
byteArray0[0] = (byte)1;
byteArray0[1] = (byte) (-27);
byteArray0[2] = (byte)0;
byteArray0[3] = (byte)10;
byteArray0[4] = (byte)114;
byteArray0[5] = (byte)1;
byteArray0[6] = (byte) (-7);
// Undeclared exception!
try {
mboxOutputStream0.write(byteArray0, (int) (byte) (-27), 0);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 21: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 MboxOutputStream_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 = "MboxOutputStream";
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/tmpk6v99uej");
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(MboxOutputStream_ESTest_scaffolding.class.getClassLoader() ,
"MboxOutputStream"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MboxOutputStream_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MboxOutputStream"
);
}
}
| 1,499 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.