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
|
---|---|---|---|---|---|
Minesweeper
|
import java.util.Random;
/**
* Holds game state and implements player actions. Each square might contain a mine. Each square may
* be flagged or deflagged. Each square may become revealed once only (this action is not
* reversible). Displayed as: obscured OR flagged OR number of neighbours (may be zero)
*/
public class Minesweeper {
/** number of rows in board */
public final int numRows;
/** number of columns in board */
public final int numCols;
/** number of mines */
public final int numMines;
/** marks a square that has not yet been revealed (as mine or safe) */
public static final int IS_HIDDEN = -1;
/** marks a square that has been flagged by user as a potential minesite */
public static final int IS_FLAGGED = -2;
/** marks a square that contains a mine */
public static final int IS_MINE = -3;
private int[][] fact;
private int[][] display;
/**
* @param numRows
* @param numCols
* @param numMines
*/
public Minesweeper(int numRows, int numCols, int numMines) {
this.numRows = numRows;
this.numCols = numCols;
this.numMines = numMines;
newGame();
}
/**
* Toggle the square's displayed state between IS_FLAGGED and IS_HIDDEN.
*
* @param rowIndex
* @param colIndex
* @throws UnsupportedOperationException "Can't flag a square that has been revealed."
*/
public void flagSquare(int rowIndex, int colIndex) throws UnsupportedOperationException {
int currentState = display[rowIndex][colIndex];
switch (currentState) {
case IS_HIDDEN:
display[rowIndex][colIndex] = IS_FLAGGED;
break;
case IS_FLAGGED:
display[rowIndex][colIndex] = IS_HIDDEN;
break;
default: // else do nothing; can't flag revealed square
throw new UnsupportedOperationException("Can't flag a square that has been revealed.");
}
}
/**
* Reveals the number of adjacent mines to this square, growing to maximum area.
*
* @param rowIndex
* @param colIndex
* @return true if the square contains a mine -- use this to trigger game over; false if safe
*/
public boolean revealSquare(int rowIndex, int colIndex) {
if (fact[rowIndex][colIndex] == IS_MINE) {
return true;
}
if (display[rowIndex][colIndex] == IS_HIDDEN) {
inspectSquare(rowIndex, colIndex);
return false;
} else {
// else do nothing; can't reveal already-revealed square
throw new UnsupportedOperationException("Can't reveal a square that is not hidden.");
}
}
private void inspectSquare(int rowIndex, int colIndex) {
if ((0 <= rowIndex && rowIndex < numRows && 0 <= colIndex && colIndex < numCols)
&& (display[rowIndex][colIndex] == IS_HIDDEN && fact[rowIndex][colIndex] != IS_MINE)) {
display[rowIndex][colIndex] = fact[rowIndex][colIndex]; // show number of neighbours
if (fact[rowIndex][colIndex] == 0) {
for (int r = -1; r <= 1; r++) {
for (int c = -1; c <= 1; c++) {
inspectSquare(rowIndex + r, colIndex + c);
}
}
}
}
}
/** Randomly generate a mine configuration. */
public void newGame() {
// set all squares to 0 in fact and display
fact = new int[numRows][numCols];
display = new int[numRows][numCols];
// hide all squares
for (int row = 0; row < numRows; row++) {
for (int col = 0; col < numCols; col++) {
display[row][col] = IS_HIDDEN;
}
}
// generate mines
int[][] mineLocations = new int[numMines][2];
Random random = new Random();
for (int i = 0; i < numMines; i++) {
int[] pos;
boolean duplicate;
do {
duplicate = false;
pos = new int[] {random.nextInt(numRows), random.nextInt(numCols)};
for (int j = 0; j < i; j++) {
if (mineLocations[j][0] == pos[0] && mineLocations[j][1] == pos[1]) {
duplicate = true;
break;
}
}
} while (duplicate);
mineLocations[i] = pos;
}
// count neighbours
for (int[] mineLocation : mineLocations) {
int rowIndex = mineLocation[0];
int colIndex = mineLocation[1];
for (int row = Math.max(0, rowIndex - 1); row < Math.min(numRows, rowIndex + 2); row++) {
for (int col = Math.max(0, colIndex - 1); col < Math.min(numCols, colIndex + 2); col++) {
if (!(col == colIndex && row == rowIndex)) {
fact[row][col]++;
}
}
}
}
for (int[] mineLocation : mineLocations) {
int rowIndex = mineLocation[0];
int colIndex = mineLocation[1];
fact[rowIndex][colIndex] = IS_MINE;
}
System.out.println();
}
/**
* @return true if and only if all flagged squares contain mines AND all mines are flagged.
*/
public boolean checkForWin() {
for (int row = 0; row < numRows; row++) {
for (int col = 0; col < numCols; col++) {
boolean isFlagged = (display[row][col] == IS_FLAGGED);
boolean isMine = (fact[row][col] == IS_MINE);
if (isFlagged != isMine) {
return false; // you lose!!
}
}
}
return true; // if and only if all flags line up with all mines, you win.
}
/**
* @return display state for all squares in board
*/
public int[][] getDisplay() {
return display;
}
}
|
.version 52 0
.class public super Minesweeper
.super java/lang/Object
.field public final numRows I
.field public final numCols I
.field public final numMines I
.field public static final IS_HIDDEN I = -1
.field public static final IS_FLAGGED I = -2
.field public static final IS_MINE I = -3
.field private fact [[I
.field private display [[I
.method public <init> : (III)V
.code stack 2 locals 4
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iload_1
L6: putfield Field Minesweeper numRows I
L9: aload_0
L10: iload_2
L11: putfield Field Minesweeper numCols I
L14: aload_0
L15: iload_3
L16: putfield Field Minesweeper numMines I
L19: aload_0
L20: invokevirtual Method Minesweeper newGame ()V
L23: return
L24:
.linenumbertable
L0 47
L4 48
L9 49
L14 50
L19 51
L23 52
.end linenumbertable
.end code
.end method
.method public flagSquare : (II)V
.code stack 3 locals 4
L0: aload_0
L1: getfield Field Minesweeper display [[I
L4: iload_1
L5: aaload
L6: iload_2
L7: iaload
L8: istore_3
L9: iload_3
L10: lookupswitch
-2 : L49
-1 : L36
default : L61
.stack append Integer
L36: aload_0
L37: getfield Field Minesweeper display [[I
L40: iload_1
L41: aaload
L42: iload_2
L43: bipush -2
L45: iastore
L46: goto L71
.stack same
L49: aload_0
L50: getfield Field Minesweeper display [[I
L53: iload_1
L54: aaload
L55: iload_2
L56: iconst_m1
L57: iastore
L58: goto L71
.stack same
L61: new java/lang/UnsupportedOperationException
L64: dup
L65: ldc "Can't flag a square that has been revealed."
L67: invokespecial Method java/lang/UnsupportedOperationException <init> (Ljava/lang/String;)V
L70: athrow
.stack same
L71: return
L72:
.linenumbertable
L0 61
L9 62
L36 64
L46 65
L49 67
L58 68
L61 70
L71 72
.end linenumbertable
.end code
.exceptions java/lang/UnsupportedOperationException
.end method
.method public revealSquare : (II)Z
.code stack 3 locals 3
L0: aload_0
L1: getfield Field Minesweeper fact [[I
L4: iload_1
L5: aaload
L6: iload_2
L7: iaload
L8: bipush -3
L10: if_icmpne L15
L13: iconst_1
L14: ireturn
.stack same
L15: aload_0
L16: getfield Field Minesweeper display [[I
L19: iload_1
L20: aaload
L21: iload_2
L22: iaload
L23: iconst_m1
L24: if_icmpne L35
L27: aload_0
L28: iload_1
L29: iload_2
L30: invokespecial Method Minesweeper inspectSquare (II)V
L33: iconst_0
L34: ireturn
.stack same
L35: new java/lang/UnsupportedOperationException
L38: dup
L39: ldc "Can't reveal a square that is not hidden."
L41: invokespecial Method java/lang/UnsupportedOperationException <init> (Ljava/lang/String;)V
L44: athrow
L45:
.linenumbertable
L0 81
L13 82
L15 84
L27 85
L33 86
L35 89
.end linenumbertable
.end code
.end method
.method private inspectSquare : (II)V
.code stack 4 locals 5
L0: iconst_0
L1: iload_1
L2: if_icmpgt L117
L5: iload_1
L6: aload_0
L7: getfield Field Minesweeper numRows I
L10: if_icmpge L117
L13: iconst_0
L14: iload_2
L15: if_icmpgt L117
L18: iload_2
L19: aload_0
L20: getfield Field Minesweeper numCols I
L23: if_icmpge L117
L26: aload_0
L27: getfield Field Minesweeper display [[I
L30: iload_1
L31: aaload
L32: iload_2
L33: iaload
L34: iconst_m1
L35: if_icmpne L117
L38: aload_0
L39: getfield Field Minesweeper fact [[I
L42: iload_1
L43: aaload
L44: iload_2
L45: iaload
L46: bipush -3
L48: if_icmpeq L117
L51: aload_0
L52: getfield Field Minesweeper display [[I
L55: iload_1
L56: aaload
L57: iload_2
L58: aload_0
L59: getfield Field Minesweeper fact [[I
L62: iload_1
L63: aaload
L64: iload_2
L65: iaload
L66: iastore
L67: aload_0
L68: getfield Field Minesweeper fact [[I
L71: iload_1
L72: aaload
L73: iload_2
L74: iaload
L75: ifne L117
L78: iconst_m1
L79: istore_3
.stack append Integer
L80: iload_3
L81: iconst_1
L82: if_icmpgt L117
L85: iconst_m1
L86: istore 4
.stack append Integer
L88: iload 4
L90: iconst_1
L91: if_icmpgt L111
L94: aload_0
L95: iload_1
L96: iload_3
L97: iadd
L98: iload_2
L99: iload 4
L101: iadd
L102: invokespecial Method Minesweeper inspectSquare (II)V
L105: iinc 4 1
L108: goto L88
.stack chop 1
L111: iinc 3 1
L114: goto L80
.stack chop 1
L117: return
L118:
.linenumbertable
L0 94
L51 96
L67 97
L78 98
L85 99
L94 100
L105 99
L111 98
L117 105
.end linenumbertable
.end code
.end method
.method public newGame : ()V
.code stack 5 locals 11
L0: aload_0
L1: aload_0
L2: getfield Field Minesweeper numRows I
L5: aload_0
L6: getfield Field Minesweeper numCols I
L9: multianewarray [[I 2
L13: putfield Field Minesweeper fact [[I
L16: aload_0
L17: aload_0
L18: getfield Field Minesweeper numRows I
L21: aload_0
L22: getfield Field Minesweeper numCols I
L25: multianewarray [[I 2
L29: putfield Field Minesweeper display [[I
L32: iconst_0
L33: istore_1
.stack append Integer
L34: iload_1
L35: aload_0
L36: getfield Field Minesweeper numRows I
L39: if_icmpge L73
L42: iconst_0
L43: istore_2
.stack append Integer
L44: iload_2
L45: aload_0
L46: getfield Field Minesweeper numCols I
L49: if_icmpge L67
L52: aload_0
L53: getfield Field Minesweeper display [[I
L56: iload_1
L57: aaload
L58: iload_2
L59: iconst_m1
L60: iastore
L61: iinc 2 1
L64: goto L44
.stack chop 1
L67: iinc 1 1
L70: goto L34
.stack chop 1
L73: aload_0
L74: getfield Field Minesweeper numMines I
L77: iconst_2
L78: multianewarray [[I 2
L82: astore_1
L83: new java/util/Random
L86: dup
L87: invokespecial Method java/util/Random <init> ()V
L90: astore_2
L91: iconst_0
L92: istore_3
.stack append Object [[I Object java/util/Random Integer
L93: iload_3
L94: aload_0
L95: getfield Field Minesweeper numMines I
L98: if_icmpge L194
.stack same
L101: iconst_0
L102: istore 5
L104: iconst_2
L105: newarray int
L107: dup
L108: iconst_0
L109: aload_2
L110: aload_0
L111: getfield Field Minesweeper numRows I
L114: invokevirtual Method java/util/Random nextInt (I)I
L117: iastore
L118: dup
L119: iconst_1
L120: aload_2
L121: aload_0
L122: getfield Field Minesweeper numCols I
L125: invokevirtual Method java/util/Random nextInt (I)I
L128: iastore
L129: astore 4
L131: iconst_0
L132: istore 6
.stack append Object [I Integer Integer
L134: iload 6
L136: iload_3
L137: if_icmpge L178
L140: aload_1
L141: iload 6
L143: aaload
L144: iconst_0
L145: iaload
L146: aload 4
L148: iconst_0
L149: iaload
L150: if_icmpne L172
L153: aload_1
L154: iload 6
L156: aaload
L157: iconst_1
L158: iaload
L159: aload 4
L161: iconst_1
L162: iaload
L163: if_icmpne L172
L166: iconst_1
L167: istore 5
L169: goto L178
.stack same
L172: iinc 6 1
L175: goto L134
.stack chop 1
L178: iload 5
L180: ifne L101
L183: aload_1
L184: iload_3
L185: aload 4
L187: aastore
L188: iinc 3 1
L191: goto L93
.stack chop 3
L194: aload_1
L195: astore_3
L196: aload_3
L197: arraylength
L198: istore 4
L200: iconst_0
L201: istore 5
.stack append Object [[I Integer Integer
L203: iload 5
L205: iload 4
L207: if_icmpge L326
L210: aload_3
L211: iload 5
L213: aaload
L214: astore 6
L216: aload 6
L218: iconst_0
L219: iaload
L220: istore 7
L222: aload 6
L224: iconst_1
L225: iaload
L226: istore 8
L228: iconst_0
L229: iload 7
L231: iconst_1
L232: isub
L233: invokestatic Method java/lang/Math max (II)I
L236: istore 9
.stack full
locals Object Minesweeper Object [[I Object java/util/Random Object [[I Integer Integer Object [I Integer Integer Integer
stack
.end stack
L238: iload 9
L240: aload_0
L241: getfield Field Minesweeper numRows I
L244: iload 7
L246: iconst_2
L247: iadd
L248: invokestatic Method java/lang/Math min (II)I
L251: if_icmpge L320
L254: iconst_0
L255: iload 8
L257: iconst_1
L258: isub
L259: invokestatic Method java/lang/Math max (II)I
L262: istore 10
.stack append Integer
L264: iload 10
L266: aload_0
L267: getfield Field Minesweeper numCols I
L270: iload 8
L272: iconst_2
L273: iadd
L274: invokestatic Method java/lang/Math min (II)I
L277: if_icmpge L314
L280: iload 10
L282: iload 8
L284: if_icmpne L294
L287: iload 9
L289: iload 7
L291: if_icmpeq L308
.stack same
L294: aload_0
L295: getfield Field Minesweeper fact [[I
L298: iload 9
L300: aaload
L301: iload 10
L303: dup2
L304: iaload
L305: iconst_1
L306: iadd
L307: iastore
.stack same
L308: iinc 10 1
L311: goto L264
.stack chop 1
L314: iinc 9 1
L317: goto L238
.stack full
locals Object Minesweeper Object [[I Object java/util/Random Object [[I Integer Integer
stack
.end stack
L320: iinc 5 1
L323: goto L203
.stack chop 3
L326: aload_1
L327: astore_3
L328: aload_3
L329: arraylength
L330: istore 4
L332: iconst_0
L333: istore 5
.stack append Object [[I Integer Integer
L335: iload 5
L337: iload 4
L339: if_icmpge L378
L342: aload_3
L343: iload 5
L345: aaload
L346: astore 6
L348: aload 6
L350: iconst_0
L351: iaload
L352: istore 7
L354: aload 6
L356: iconst_1
L357: iaload
L358: istore 8
L360: aload_0
L361: getfield Field Minesweeper fact [[I
L364: iload 7
L366: aaload
L367: iload 8
L369: bipush -3
L371: iastore
L372: iinc 5 1
L375: goto L335
.stack chop 3
L378: getstatic Field java/lang/System out Ljava/io/PrintStream;
L381: invokevirtual Method java/io/PrintStream println ()V
L384: return
L385:
.linenumbertable
L0 112
L16 113
L32 116
L42 117
L52 118
L61 117
L67 116
L73 123
L83 124
L91 126
L101 130
L104 131
L131 132
L140 133
L166 134
L169 135
L172 132
L178 138
L183 139
L188 126
L194 143
L216 144
L222 145
L228 146
L254 147
L280 148
L294 149
L308 147
L314 146
L320 143
L326 155
L348 156
L354 157
L360 158
L372 155
L378 161
L384 162
.end linenumbertable
.end code
.end method
.method public checkForWin : ()Z
.code stack 2 locals 5
L0: iconst_0
L1: istore_1
.stack append Integer
L2: iload_1
L3: aload_0
L4: getfield Field Minesweeper numRows I
L7: if_icmpge L79
L10: iconst_0
L11: istore_2
.stack append Integer
L12: iload_2
L13: aload_0
L14: getfield Field Minesweeper numCols I
L17: if_icmpge L73
L20: aload_0
L21: getfield Field Minesweeper display [[I
L24: iload_1
L25: aaload
L26: iload_2
L27: iaload
L28: bipush -2
L30: if_icmpne L37
L33: iconst_1
L34: goto L38
.stack same
L37: iconst_0
.stack stack_1 Integer
L38: istore_3
L39: aload_0
L40: getfield Field Minesweeper fact [[I
L43: iload_1
L44: aaload
L45: iload_2
L46: iaload
L47: bipush -3
L49: if_icmpne L56
L52: iconst_1
L53: goto L57
.stack append Integer
L56: iconst_0
.stack stack_1 Integer
L57: istore 4
L59: iload_3
L60: iload 4
L62: if_icmpeq L67
L65: iconst_0
L66: ireturn
.stack chop 1
L67: iinc 2 1
L70: goto L12
.stack chop 1
L73: iinc 1 1
L76: goto L2
.stack chop 1
L79: iconst_1
L80: ireturn
L81:
.linenumbertable
L0 169
L10 170
L20 171
L39 172
L59 173
L65 174
L67 170
L73 169
L79 178
.end linenumbertable
.end code
.end method
.method public getDisplay : ()[[I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Minesweeper display [[I
L4: areturn
L5:
.linenumbertable
L0 185
.end linenumbertable
.end code
.end method
.sourcefile 'Minesweeper.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 05:40:57 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 Minesweeper_ESTest extends Minesweeper_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
int int0 = 0;
int int1 = 0;
Minesweeper minesweeper0 = new Minesweeper(0, 0, 0);
minesweeper0.newGame();
minesweeper0.newGame();
// Undeclared exception!
try {
minesweeper0.flagSquare(1, 0);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 1
//
verifyException("Minesweeper", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
int int0 = (-1);
Minesweeper minesweeper0 = null;
try {
minesweeper0 = new Minesweeper((-1), (-1), (-1));
fail("Expecting exception: NegativeArraySizeException");
} catch(NegativeArraySizeException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("Minesweeper", e);
}
}
@Test(timeout = 4000)
public void test2() throws Throwable {
int int0 = (-3);
int int1 = 1;
Minesweeper minesweeper0 = null;
try {
minesweeper0 = new Minesweeper((-3), (-3), 1);
fail("Expecting exception: NegativeArraySizeException");
} catch(NegativeArraySizeException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("Minesweeper", e);
}
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Minesweeper minesweeper0 = new Minesweeper(0, 0, 0);
minesweeper0.newGame();
// Undeclared exception!
try {
minesweeper0.flagSquare(0, 2);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 0
//
verifyException("Minesweeper", e);
}
}
@Test(timeout = 4000)
public void test4() throws Throwable {
int int0 = 0;
Minesweeper minesweeper0 = new Minesweeper(0, 0, 0);
minesweeper0.newGame();
int int1 = (-1);
minesweeper0.newGame();
// Undeclared exception!
try {
minesweeper0.flagSquare(0, (-1));
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 0
//
verifyException("Minesweeper", e);
}
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Minesweeper minesweeper0 = new Minesweeper(4193, 4193, (-10258));
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 05:40: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 Minesweeper_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Minesweeper";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpsuir2kpq");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Minesweeper_ESTest_scaffolding.class.getClassLoader() ,
"Minesweeper"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Minesweeper_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Minesweeper"
);
}
}
| 151,100 |
RequestEditRecording
|
import java.io.File;
/**
* @author peterLaurence on 26/08/2018
*/
public class RequestEditRecording {
public File recording;
public RequestEditRecording(File recording) {
this.recording = recording;
}
}
|
.version 52 0
.class public super RequestEditRecording
.super java/lang/Object
.field public recording Ljava/io/File;
.method public <init> : (Ljava/io/File;)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 RequestEditRecording recording Ljava/io/File;
L9: return
L10:
.linenumbertable
L0 11
L4 12
L9 13
.end linenumbertable
.end code
.end method
.sourcefile 'RequestEditRecording.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 17:00:01 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.io.File;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.mock.java.io.MockFile;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class RequestEditRecording_ESTest extends RequestEditRecording_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
File file0 = MockFile.createTempFile("F~^4j.u+@W", "");
RequestEditRecording requestEditRecording0 = new RequestEditRecording(file0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 17:00: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 RequestEditRecording_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "RequestEditRecording";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpyln5gcac");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(RequestEditRecording_ESTest_scaffolding.class.getClassLoader() ,
"RequestEditRecording"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RequestEditRecording_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"RequestEditRecording"
);
}
}
| 151,101 |
ShapeDoesNotSupportChildren
|
/**
* Copyright 2011 Joao Miguel Pereira
*
* <p>Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file
* except in compliance with the License. You may obtain a copy of the License at
*
* <p>http://www.apache.org/licenses/LICENSE-2.0
*
* <p>Unless required by applicable law or agreed to in writing, software distributed under the
* License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either
* express or implied. See the License for the specific language governing permissions and
* limitations under the License.
*/
/**
* @author jpereira
*/
public class ShapeDoesNotSupportChildren extends Exception {
/** */
private static final long serialVersionUID = 1L;
}
|
.version 52 0
.class public super ShapeDoesNotSupportChildren
.super java/lang/Exception
.field private static final serialVersionUID J = 1L
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Exception <init> ()V
L4: return
L5:
.linenumbertable
L0 22
.end linenumbertable
.end code
.end method
.sourcefile 'ShapeDoesNotSupportChildren.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 07: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 ShapeDoesNotSupportChildren_ESTest extends ShapeDoesNotSupportChildren_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ShapeDoesNotSupportChildren shapeDoesNotSupportChildren0 = new ShapeDoesNotSupportChildren();
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 07: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 ShapeDoesNotSupportChildren_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ShapeDoesNotSupportChildren";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpszlaufnu");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ShapeDoesNotSupportChildren_ESTest_scaffolding.class.getClassLoader() ,
"ShapeDoesNotSupportChildren"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ShapeDoesNotSupportChildren_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ShapeDoesNotSupportChildren"
);
}
}
| 151,102 |
Chips
|
public class Chips {
public String toString() {
return "Salt & Vinegar";
}
}
|
.version 52 0
.class public super Chips
.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 toString : ()Ljava/lang/String;
.code stack 1 locals 1
L0: ldc 'Salt & Vinegar'
L2: areturn
L3:
.linenumbertable
L0 5
.end linenumbertable
.end code
.end method
.sourcefile 'Chips.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 21:02:34 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Chips_ESTest extends Chips_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Chips chips0 = new Chips();
String string0 = chips0.toString();
assertEquals("Salt & Vinegar", string0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 21:02:34 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Chips_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Chips";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpg43t9jcg");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Chips_ESTest_scaffolding.class.getClassLoader() ,
"Chips"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Chips_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Chips"
);
}
}
| 151,103 |
DataHandler
|
/** Created by sgutierc on 14-07-2016. */
public class DataHandler {}
|
.version 52 0
.class public super DataHandler
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 6
.end linenumbertable
.end code
.end method
.sourcefile 'DataHandler.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 14:12: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 DataHandler_ESTest extends DataHandler_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
DataHandler dataHandler0 = new DataHandler();
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 14:12: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 DataHandler_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "DataHandler";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpipvylouj");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DataHandler_ESTest_scaffolding.class.getClassLoader() ,
"DataHandler"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DataHandler_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"DataHandler"
);
}
}
| 151,104 |
MUCChannelType
|
public final class MUCChannelType {
public static final String PUBLIC = "public";
public static final String ALL = "all";
private MUCChannelType() {}
}
|
.version 52 0
.class public final super MUCChannelType
.super java/lang/Object
.field public static final PUBLIC Ljava/lang/String; = 'public'
.field public static final ALL Ljava/lang/String; = 'all'
.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 7
L4 8
.end linenumbertable
.end code
.end method
.sourcefile 'MUCChannelType.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 12:08:41 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class MUCChannelType_ESTest extends MUCChannelType_ESTest_scaffolding {
@Test
public void notGeneratedAnyTest() {
// EvoSuite did not generate any tests
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 12:08:41 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 MUCChannelType_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 = "MUCChannelType";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.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(MUCChannelType_ESTest_scaffolding.class.getClassLoader() ,
"MUCChannelType"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MUCChannelType_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MUCChannelType"
);
}
}
| 151,105 |
Test
|
/** {@value FIELD} */
class Test {}
|
.version 52 0
.class super Test
.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
.sourcefile 'Test.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 01:47:20 GMT 2022
*/
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Test_ESTest extends Test_ESTest_scaffolding {
@org.junit.Test(timeout = 4000)
public void test0() throws Throwable {
Test test0 = new Test();
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 01:47: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 Test_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Test";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpd8r49lao");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Test_ESTest_scaffolding.class.getClassLoader() ,
"Test"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Test_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Test"
);
}
}
| 151,106 |
User
|
/** Created by liuhuiguang on 15-4-28. */
public class User {
private String name;
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
}
|
.version 52 0
.class public super User
.super java/lang/Object
.field private name Ljava/lang/String;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 6
.end linenumbertable
.end code
.end method
.method public getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field User name Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 11
.end linenumbertable
.end code
.end method
.method public setName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field User name Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 15
L5 16
.end linenumbertable
.end code
.end method
.sourcefile 'User.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 22:55:12 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class User_ESTest extends User_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
User user0 = new User();
user0.setName("Mc%F*RlCVm");
String string0 = user0.getName();
assertEquals("Mc%F*RlCVm", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
User user0 = new User();
String string0 = user0.getName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
User user0 = new User();
user0.setName("");
String string0 = user0.getName();
assertEquals("", string0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 22:55: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 User_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "User";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp2a30z8li");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(User_ESTest_scaffolding.class.getClassLoader() ,
"User"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(User_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"User"
);
}
}
| 151,107 |
GPSData
|
// License: GPL. For details, see LICENSE file.
public class GPSData {
public double[][] susAltLatLong_sim = {null, null, null};
public GPSData() {
double[] susAlt_sim = {0};
double[] susLat_sim = {};
double[] susLong_sim = {};
susAltLatLong_sim[0] = susAlt_sim;
susAltLatLong_sim[1] = susLat_sim;
susAltLatLong_sim[2] = susLong_sim;
}
}
|
.version 52 0
.class public super GPSData
.super java/lang/Object
.field public susAltLatLong_sim [[D
.method public <init> : ()V
.code stack 5 locals 4
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iconst_3
L6: anewarray [D
L9: dup
L10: iconst_0
L11: aconst_null
L12: aastore
L13: dup
L14: iconst_1
L15: aconst_null
L16: aastore
L17: dup
L18: iconst_2
L19: aconst_null
L20: aastore
L21: putfield Field GPSData susAltLatLong_sim [[D
L24: iconst_1
L25: newarray double
L27: dup
L28: iconst_0
L29: dconst_0
L30: dastore
L31: astore_1
L32: iconst_0
L33: newarray double
L35: astore_2
L36: iconst_0
L37: newarray double
L39: astore_3
L40: aload_0
L41: getfield Field GPSData susAltLatLong_sim [[D
L44: iconst_0
L45: aload_1
L46: aastore
L47: aload_0
L48: getfield Field GPSData susAltLatLong_sim [[D
L51: iconst_1
L52: aload_2
L53: aastore
L54: aload_0
L55: getfield Field GPSData susAltLatLong_sim [[D
L58: iconst_2
L59: aload_3
L60: aastore
L61: return
L62:
.linenumbertable
L0 8
L4 6
L24 9
L32 10
L36 11
L40 13
L47 14
L54 15
L61 16
.end linenumbertable
.end code
.end method
.sourcefile 'GPSData.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 19:18:36 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class GPSData_ESTest extends GPSData_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
GPSData gPSData0 = new GPSData();
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 19:18: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 GPSData_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "GPSData";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp6lr6oabj");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(GPSData_ESTest_scaffolding.class.getClassLoader() ,
"GPSData"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(GPSData_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"GPSData"
);
}
}
| 151,108 |
StealingMethod
|
/** Template Method base class. */
public abstract class StealingMethod {
protected abstract String pickTarget();
protected abstract void confuseTarget(String target);
protected abstract void stealTheItem(String target);
public void steal() {
String target = pickTarget();
System.out.println("The target has been chosen as " + target + ".");
confuseTarget(target);
stealTheItem(target);
}
}
|
.version 52 0
.class public super abstract StealingMethod
.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 protected abstract pickTarget : ()Ljava/lang/String;
.end method
.method protected abstract confuseTarget : (Ljava/lang/String;)V
.end method
.method protected abstract stealTheItem : (Ljava/lang/String;)V
.end method
.method public steal : ()V
.code stack 3 locals 2
L0: aload_0
L1: invokevirtual Method StealingMethod pickTarget ()Ljava/lang/String;
L4: astore_1
L5: getstatic Field java/lang/System out Ljava/io/PrintStream;
L8: new java/lang/StringBuilder
L11: dup
L12: invokespecial Method java/lang/StringBuilder <init> ()V
L15: ldc 'The target has been chosen as '
L17: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L20: aload_1
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: ldc '.'
L26: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L29: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L32: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L35: aload_0
L36: aload_1
L37: invokevirtual Method StealingMethod confuseTarget (Ljava/lang/String;)V
L40: aload_0
L41: aload_1
L42: invokevirtual Method StealingMethod stealTheItem (Ljava/lang/String;)V
L45: return
L46:
.linenumbertable
L0 17
L5 18
L35 19
L40 20
L45 21
.end linenumbertable
.end code
.end method
.sourcefile 'StealingMethod.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 01:16: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 StealingMethod_ESTest extends StealingMethod_ESTest_scaffolding {
@Test
public void notGeneratedAnyTest() {
// EvoSuite did not generate any tests
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 01:16:37 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 StealingMethod_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 = "StealingMethod";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.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(StealingMethod_ESTest_scaffolding.class.getClassLoader() ,
"StealingMethod"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(StealingMethod_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"StealingMethod"
);
}
}
| 151,109 |
RadialMenuTypeNotFoundException
|
/** Created by crush on 5/31/2016. */
public class RadialMenuTypeNotFoundException extends RuntimeException {
public RadialMenuTypeNotFoundException(final String radialMenuTypeName) {
super(String.format("Could not find radial menu type with name %s.", radialMenuTypeName));
}
}
|
.version 52 0
.class public super RadialMenuTypeNotFoundException
.super java/lang/RuntimeException
.method public <init> : (Ljava/lang/String;)V
.code stack 6 locals 2
L0: aload_0
L1: ldc 'Could not find radial menu type with name %s.'
L3: iconst_1
L4: anewarray java/lang/Object
L7: dup
L8: iconst_0
L9: aload_1
L10: aastore
L11: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String;
L14: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V
L17: return
L18:
.linenumbertable
L0 8
L17 9
.end linenumbertable
.end code
.end method
.sourcefile 'RadialMenuTypeNotFoundException.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 23:51: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 RadialMenuTypeNotFoundException_ESTest extends RadialMenuTypeNotFoundException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
RadialMenuTypeNotFoundException radialMenuTypeNotFoundException0 = new RadialMenuTypeNotFoundException("^#Aya{w^ht[04).\"&M");
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 23:51: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 RadialMenuTypeNotFoundException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "RadialMenuTypeNotFoundException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpskypvxr7");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(RadialMenuTypeNotFoundException_ESTest_scaffolding.class.getClassLoader() ,
"RadialMenuTypeNotFoundException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RadialMenuTypeNotFoundException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"RadialMenuTypeNotFoundException"
);
}
}
| 151,110 |
PersonalVitals
|
/*******************************************************************************
* Copyright (c) 1998, 2015 Oracle and/or its affiliates. All rights reserved.
* This program and the accompanying materials are made available under the
* terms of the Eclipse Public License v1.0 and Eclipse Distribution License v. 1.0
* which accompanies this distribution.
* The Eclipse Public License is available at http://www.eclipse.org/legal/epl-v10.html
* and the Eclipse Distribution License is available at
* http://www.eclipse.org/org/documents/edl-v10.php.
*
* Contributors:
* 04/02/2008-1.0M6 Guy Pelletier
* - 224155: embeddable-attributes should be extended in the EclipseLink ORM.XML schema
******************************************************************************/
import java.io.Serializable;
public class PersonalVitals implements Serializable {
private int age;
private double weight;
private double height;
public PersonalVitals() {}
public int getAge() {
return age;
}
public double getWeight() {
return weight;
}
public double getHeight() {
return height;
}
public void setAge(int age) {
this.age = age;
}
public void setHeight(double height) {
this.height = height;
}
public void setWeight(double weight) {
this.weight = weight;
}
public String toString() {
return "Personal Vitals: "
+ getWeight()
+ " lbs, "
+ getHeight()
+ " meters, "
+ getAge()
+ " years old";
}
}
|
.version 52 0
.class public super PersonalVitals
.super java/lang/Object
.implements java/io/Serializable
.field private age I
.field private weight D
.field private height 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 23
.end linenumbertable
.end code
.end method
.method public getAge : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field PersonalVitals age I
L4: ireturn
L5:
.linenumbertable
L0 26
.end linenumbertable
.end code
.end method
.method public getWeight : ()D
.code stack 2 locals 1
L0: aload_0
L1: getfield Field PersonalVitals weight D
L4: dreturn
L5:
.linenumbertable
L0 30
.end linenumbertable
.end code
.end method
.method public getHeight : ()D
.code stack 2 locals 1
L0: aload_0
L1: getfield Field PersonalVitals height D
L4: dreturn
L5:
.linenumbertable
L0 34
.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 PersonalVitals age I
L5: return
L6:
.linenumbertable
L0 38
L5 39
.end linenumbertable
.end code
.end method
.method public setHeight : (D)V
.code stack 3 locals 3
L0: aload_0
L1: dload_1
L2: putfield Field PersonalVitals height D
L5: return
L6:
.linenumbertable
L0 42
L5 43
.end linenumbertable
.end code
.end method
.method public setWeight : (D)V
.code stack 3 locals 3
L0: aload_0
L1: dload_1
L2: putfield Field PersonalVitals weight D
L5: return
L6:
.linenumbertable
L0 46
L5 47
.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 'Personal Vitals: '
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: invokevirtual Method PersonalVitals getWeight ()D
L16: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L19: ldc ' lbs, '
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: aload_0
L25: invokevirtual Method PersonalVitals getHeight ()D
L28: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L31: ldc ' meters, '
L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L36: aload_0
L37: invokevirtual Method PersonalVitals getAge ()I
L40: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L43: ldc ' years old'
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 50
.end linenumbertable
.end code
.end method
.sourcefile 'PersonalVitals.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 11:24: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 PersonalVitals_ESTest extends PersonalVitals_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
PersonalVitals personalVitals0 = new PersonalVitals();
personalVitals0.setWeight(36700.98091440968);
double double0 = personalVitals0.getWeight();
assertEquals(36700.98091440968, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
PersonalVitals personalVitals0 = new PersonalVitals();
personalVitals0.setWeight((-93529.0));
double double0 = personalVitals0.getWeight();
assertEquals((-93529.0), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
PersonalVitals personalVitals0 = new PersonalVitals();
personalVitals0.setHeight(75798.24);
double double0 = personalVitals0.getHeight();
assertEquals(75798.24, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
PersonalVitals personalVitals0 = new PersonalVitals();
personalVitals0.setHeight((-39696.835));
double double0 = personalVitals0.getHeight();
assertEquals((-39696.835), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
PersonalVitals personalVitals0 = new PersonalVitals();
personalVitals0.setAge(51532);
int int0 = personalVitals0.getAge();
assertEquals(51532, int0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
PersonalVitals personalVitals0 = new PersonalVitals();
personalVitals0.setAge((-36882));
int int0 = personalVitals0.getAge();
assertEquals((-36882), int0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
PersonalVitals personalVitals0 = new PersonalVitals();
double double0 = personalVitals0.getHeight();
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
PersonalVitals personalVitals0 = new PersonalVitals();
double double0 = personalVitals0.getWeight();
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test8() throws Throwable {
PersonalVitals personalVitals0 = new PersonalVitals();
int int0 = personalVitals0.getAge();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test9() throws Throwable {
PersonalVitals personalVitals0 = new PersonalVitals();
String string0 = personalVitals0.toString();
assertEquals("Personal Vitals: 0.0 lbs, 0.0 meters, 0 years old", string0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 11:24: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 PersonalVitals_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "PersonalVitals";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpognc1y8l");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PersonalVitals_ESTest_scaffolding.class.getClassLoader() ,
"PersonalVitals"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PersonalVitals_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"PersonalVitals"
);
}
}
| 151,111 |
Base64Utils
|
public class Base64Utils {}
|
.version 52 0
.class public super Base64Utils
.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 'Base64Utils.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 05:59:27 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Base64Utils_ESTest extends Base64Utils_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Base64Utils base64Utils0 = new Base64Utils();
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 05:59:27 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Base64Utils_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Base64Utils";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpkx92qxdm");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Base64Utils_ESTest_scaffolding.class.getClassLoader() ,
"Base64Utils"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Base64Utils_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Base64Utils"
);
}
}
| 151,112 |
Geometry
|
public class Geometry {
public static float PI_2 = (float) (Math.PI / 2);
public static float THREEPI_2 = (float) (3 * Math.PI / 2);
/**
* This method calculates the angle and distance to a target using the coordinates: y-axis = 0 rad
* x-axis = -pi/2 rad Returns an array: { angle, distance }
*
* @param targetX
* @param targetY
* @param currX
* @param currY
* @return
*/
public static final float[] calcDestination(
float targetX, float targetY, float currX, float currY) {
float destinationAngle = 0f;
// computer translated coordinates
float x_tran = targetX - currX;
float y_tran = targetY - currY;
// compute euclidean distance from inital position to final position
float distance = (float) Math.sqrt(Math.pow(x_tran, 2) + Math.pow(y_tran, 2));
float temp1 = (float) Math.abs(x_tran / distance);
float theta_temp = (float) Math.acos(temp1);
if (x_tran >= 0 && y_tran >= 0) {
// Quadrant I
destinationAngle = THREEPI_2 + theta_temp;
} else if (x_tran <= 0 && y_tran >= 0) {
// Quadrant II
destinationAngle = PI_2 - theta_temp;
} else if (x_tran <= 0 && y_tran <= 0) {
// Quadrant III
destinationAngle = PI_2 + theta_temp;
} else if (x_tran >= 0 && y_tran <= 0) {
// Quadrant IV
destinationAngle = THREEPI_2 - theta_temp;
} else {
destinationAngle = -1;
}
float[] data = {destinationAngle, distance};
return data;
}
public static void main(String[] args) {
float goalX = -80;
float goalY = 112;
float myX = 50;
float myY = 0;
float[] data1 = Geometry.calcDestination(goalX, goalY, myX, myY);
System.out.println(data1[0] + " " + data1[1]);
myX = -30;
myY = 70;
float[] data2 = Geometry.calcDestination(goalX, goalY, myX, myY);
System.out.println(data2[0] + " " + data2[1]);
}
}
|
.version 52 0
.class public super Geometry
.super java/lang/Object
.field public static PI_2 F
.field public static THREEPI_2 F
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 3
.end linenumbertable
.end code
.end method
.method public static final calcDestination : (FFFF)[F
.code stack 6 locals 11
L0: fconst_0
L1: fstore 4
L3: fload_0
L4: fload_2
L5: fsub
L6: fstore 5
L8: fload_1
L9: fload_3
L10: fsub
L11: fstore 6
L13: fload 5
L15: f2d
L16: ldc2_w +2.0
L19: invokestatic Method java/lang/Math pow (DD)D
L22: fload 6
L24: f2d
L25: ldc2_w +2.0
L28: invokestatic Method java/lang/Math pow (DD)D
L31: dadd
L32: invokestatic Method java/lang/Math sqrt (D)D
L35: d2f
L36: fstore 7
L38: fload 5
L40: fload 7
L42: fdiv
L43: invokestatic Method java/lang/Math abs (F)F
L46: fstore 8
L48: fload 8
L50: f2d
L51: invokestatic Method java/lang/Math acos (D)D
L54: d2f
L55: fstore 9
L57: fload 5
L59: fconst_0
L60: fcmpl
L61: iflt L82
L64: fload 6
L66: fconst_0
L67: fcmpl
L68: iflt L82
L71: getstatic Field Geometry THREEPI_2 F
L74: fload 9
L76: fadd
L77: fstore 4
L79: goto L161
.stack full
locals Float Float Float Float Float Float Float Float Float Float
stack
.end stack
L82: fload 5
L84: fconst_0
L85: fcmpg
L86: ifgt L107
L89: fload 6
L91: fconst_0
L92: fcmpl
L93: iflt L107
L96: getstatic Field Geometry PI_2 F
L99: fload 9
L101: fsub
L102: fstore 4
L104: goto L161
.stack same
L107: fload 5
L109: fconst_0
L110: fcmpg
L111: ifgt L132
L114: fload 6
L116: fconst_0
L117: fcmpg
L118: ifgt L132
L121: getstatic Field Geometry PI_2 F
L124: fload 9
L126: fadd
L127: fstore 4
L129: goto L161
.stack same
L132: fload 5
L134: fconst_0
L135: fcmpl
L136: iflt L157
L139: fload 6
L141: fconst_0
L142: fcmpg
L143: ifgt L157
L146: getstatic Field Geometry THREEPI_2 F
L149: fload 9
L151: fsub
L152: fstore 4
L154: goto L161
.stack same
L157: ldc -1.0f
L159: fstore 4
.stack same
L161: iconst_2
L162: newarray float
L164: dup
L165: iconst_0
L166: fload 4
L168: fastore
L169: dup
L170: iconst_1
L171: fload 7
L173: fastore
L174: astore 10
L176: aload 10
L178: areturn
L179:
.linenumbertable
L0 22
L3 25
L8 26
L13 30
L38 32
L48 33
L57 35
L71 37
L82 39
L96 41
L107 43
L121 45
L132 47
L146 49
L157 52
L161 55
L176 56
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 4 locals 7
L0: ldc -80.0f
L2: fstore_1
L3: ldc +112.0f
L5: fstore_2
L6: ldc +50.0f
L8: fstore_3
L9: fconst_0
L10: fstore 4
L12: fload_1
L13: fload_2
L14: fload_3
L15: fload 4
L17: invokestatic Method Geometry calcDestination (FFFF)[F
L20: astore 5
L22: getstatic Field java/lang/System out Ljava/io/PrintStream;
L25: new java/lang/StringBuilder
L28: dup
L29: invokespecial Method java/lang/StringBuilder <init> ()V
L32: aload 5
L34: iconst_0
L35: faload
L36: invokevirtual Method java/lang/StringBuilder append (F)Ljava/lang/StringBuilder;
L39: ldc ' '
L41: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L44: aload 5
L46: iconst_1
L47: faload
L48: invokevirtual Method java/lang/StringBuilder append (F)Ljava/lang/StringBuilder;
L51: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L54: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L57: ldc -30.0f
L59: fstore_3
L60: ldc +70.0f
L62: fstore 4
L64: fload_1
L65: fload_2
L66: fload_3
L67: fload 4
L69: invokestatic Method Geometry calcDestination (FFFF)[F
L72: astore 6
L74: getstatic Field java/lang/System out Ljava/io/PrintStream;
L77: new java/lang/StringBuilder
L80: dup
L81: invokespecial Method java/lang/StringBuilder <init> ()V
L84: aload 6
L86: iconst_0
L87: faload
L88: invokevirtual Method java/lang/StringBuilder append (F)Ljava/lang/StringBuilder;
L91: ldc ' '
L93: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L96: aload 6
L98: iconst_1
L99: faload
L100: invokevirtual Method java/lang/StringBuilder append (F)Ljava/lang/StringBuilder;
L103: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L106: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L109: return
L110:
.linenumbertable
L0 62
L3 63
L6 64
L9 65
L12 67
L22 68
L57 70
L60 71
L64 73
L74 74
L109 76
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 1 locals 0
L0: ldc +1.5707963705062866f
L2: putstatic Field Geometry PI_2 F
L5: ldc +4.71238899230957f
L7: putstatic Field Geometry THREEPI_2 F
L10: return
L11:
.linenumbertable
L0 5
L5 6
.end linenumbertable
.end code
.end method
.sourcefile 'Geometry.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 21:36: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 Geometry_ESTest extends Geometry_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
float[] floatArray0 = Geometry.calcDestination((-24491.7F), 1.5707964F, 0.0F, 4.712389F);
assertArrayEquals(new float[] {1.5707964F, 24491.7F}, floatArray0, 0.01F);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
float[] floatArray0 = Geometry.calcDestination((-24735.01F), 1.5707964F, 1.5707964F, 1.5707964F);
assertArrayEquals(new float[] {1.5707964F, 24736.58F}, floatArray0, 0.01F);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
float[] floatArray0 = Geometry.calcDestination(0.0F, 33809.395F, 0.0F, 33809.395F);
assertArrayEquals(new float[] {Float.NaN, 0.0F}, floatArray0, 0.01F);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
float[] floatArray0 = Geometry.calcDestination((-54873.906F), 0.0F, (-29646.602F), (-39779.883F));
assertArrayEquals(new float[] {0.56516814F, 47104.734F}, floatArray0, 0.01F);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
float[] floatArray0 = Geometry.calcDestination(1.5707964F, 1.5707964F, 0.0F, 61891.37F);
assertArrayEquals(new float[] {3.141618F, 61889.8F}, floatArray0, 0.01F);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
float[] floatArray0 = Geometry.calcDestination(1.0F, (-54873.906F), 1.0F, 6663.3096F);
assertArrayEquals(new float[] {3.1415927F, 61537.215F}, floatArray0, 0.01F);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
float[] floatArray0 = Geometry.calcDestination(1.0F, 0.0F, 1.0F, (-1.0F));
assertArrayEquals(new float[] {6.2831855F, 1.0F}, floatArray0, 0.01F);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
Geometry geometry0 = new Geometry();
assertEquals(1.5707964F, Geometry.PI_2, 0.01F);
}
@Test(timeout = 4000)
public void test8() throws Throwable {
Geometry.main((String[]) null);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 21:36: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 Geometry_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Geometry";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpvb1aq89a");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Geometry_ESTest_scaffolding.class.getClassLoader() ,
"Geometry"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Geometry_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Geometry"
);
}
}
| 151,113 |
XSDateTimeCustomBinder
|
import java.time.LocalDateTime;
public class XSDateTimeCustomBinder {
public static LocalDateTime parseDateTime(String s) {
if (s == null) {
return null;
}
return LocalDateTime.parse(s);
}
public static String printDateTime(LocalDateTime dateTime) {
if (dateTime == null) {
return null;
}
return dateTime.toString();
}
}
|
.version 52 0
.class public super XSDateTimeCustomBinder
.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 parseDateTime : (Ljava/lang/String;)Ljava/time/LocalDateTime;
.code stack 1 locals 1
L0: aload_0
L1: ifnonnull L6
L4: aconst_null
L5: areturn
.stack same
L6: aload_0
L7: invokestatic Method java/time/LocalDateTime parse (Ljava/lang/CharSequence;)Ljava/time/LocalDateTime;
L10: areturn
L11:
.linenumbertable
L0 8
L4 9
L6 11
.end linenumbertable
.end code
.end method
.method public static printDateTime : (Ljava/time/LocalDateTime;)Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: ifnonnull L6
L4: aconst_null
L5: areturn
.stack same
L6: aload_0
L7: invokevirtual Method java/time/LocalDateTime toString ()Ljava/lang/String;
L10: areturn
L11:
.linenumbertable
L0 15
L4 16
L6 18
.end linenumbertable
.end code
.end method
.sourcefile 'XSDateTimeCustomBinder.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 13:31:57 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.time.LocalDateTime;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.mock.java.time.MockLocalDateTime;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class XSDateTimeCustomBinder_ESTest extends XSDateTimeCustomBinder_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String string0 = XSDateTimeCustomBinder.printDateTime((LocalDateTime) null);
assertNull(string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
LocalDateTime localDateTime0 = MockLocalDateTime.now();
String string0 = XSDateTimeCustomBinder.printDateTime(localDateTime0);
assertEquals("2014-02-14T20:21:21.320", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
LocalDateTime localDateTime0 = XSDateTimeCustomBinder.parseDateTime((String) null);
assertNull(localDateTime0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
LocalDateTime localDateTime0 = XSDateTimeCustomBinder.parseDateTime("2014-02-14T20:21:21.320");
assertNotNull(localDateTime0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
XSDateTimeCustomBinder xSDateTimeCustomBinder0 = new XSDateTimeCustomBinder();
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 13:31: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 XSDateTimeCustomBinder_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "XSDateTimeCustomBinder";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.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_sfed5tu");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(XSDateTimeCustomBinder_ESTest_scaffolding.class.getClassLoader() ,
"XSDateTimeCustomBinder"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(XSDateTimeCustomBinder_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"XSDateTimeCustomBinder"
);
}
}
| 151,114 |
TwoLoops
|
public class TwoLoops {
public static void main(String argv[]) {
int i = 0, j;
while (i < 100000) {
j = i;
while (j < 100000) {
j++;
}
i++;
}
}
}
|
.version 52 0
.class public super TwoLoops
.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 static main : ([Ljava/lang/String;)V
.code stack 2 locals 3
L0: iconst_0
L1: istore_1
.stack append Integer
L2: iload_1
L3: ldc 100000
L5: if_icmpge L28
L8: iload_1
L9: istore_2
.stack append Integer
L10: iload_2
L11: ldc 100000
L13: if_icmpge L22
L16: iinc 2 1
L19: goto L10
.stack same
L22: iinc 1 1
L25: goto L2
.stack chop 1
L28: return
L29:
.linenumbertable
L0 3
L2 4
L8 5
L10 6
L16 7
L22 9
L28 11
.end linenumbertable
.end code
.end method
.sourcefile 'TwoLoops.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 08:11:11 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 TwoLoops_ESTest extends TwoLoops_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = null;
// Undeclared exception!
TwoLoops.main((String[]) null);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
TwoLoops twoLoops0 = new TwoLoops();
String[] stringArray0 = null;
// Undeclared exception!
TwoLoops.main((String[]) null);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
TwoLoops twoLoops0 = new TwoLoops();
String[] stringArray0 = new String[2];
stringArray0[0] = "";
stringArray0[1] = "[}Ds:<dx`n";
// Undeclared exception!
TwoLoops.main(stringArray0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
String[] stringArray0 = new String[3];
stringArray0[0] = "c(jSBvHy!\"H";
stringArray0[1] = "qnM\\+V[\tjwm]2e_#";
stringArray0[2] = "";
// Undeclared exception!
TwoLoops.main(stringArray0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
String[] stringArray0 = new String[0];
// Undeclared exception!
TwoLoops.main(stringArray0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
String[] stringArray0 = new String[5];
stringArray0[0] = "r3";
stringArray0[1] = "";
stringArray0[2] = "";
stringArray0[3] = "";
stringArray0[4] = "";
// Undeclared exception!
TwoLoops.main(stringArray0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
String[] stringArray0 = new String[1];
stringArray0[0] = "";
// Undeclared exception!
TwoLoops.main(stringArray0);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
TwoLoops twoLoops0 = new TwoLoops();
String[] stringArray0 = new String[7];
stringArray0[0] = "Q_%(";
stringArray0[1] = "";
stringArray0[2] = "";
stringArray0[3] = "";
stringArray0[4] = "t!<VDUf>akw";
stringArray0[5] = "uG#:]>7)";
stringArray0[6] = "q4|8WjM";
// Undeclared exception!
TwoLoops.main(stringArray0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 08:11:11 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class TwoLoops_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "TwoLoops";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpid51rjt1");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TwoLoops_ESTest_scaffolding.class.getClassLoader() ,
"TwoLoops"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TwoLoops_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"TwoLoops"
);
}
}
| 151,115 |
RandomEvent
|
/***
* Copyright (c) 2013 CommonsWare, LLC
* 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.
*
* From _The Busy Coder's Guide to Android Development_
* https://commonsware.com/Android
*/
import java.util.Calendar;
import java.util.Date;
public class RandomEvent {
Date when = Calendar.getInstance().getTime();
int value;
RandomEvent(int value) {
this.value = value;
}
}
|
.version 52 0
.class public super RandomEvent
.super java/lang/Object
.field when Ljava/util/Date;
.field value I
.method <init> : (I)V
.code stack 2 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: invokestatic Method java/util/Calendar getInstance ()Ljava/util/Calendar;
L8: invokevirtual Method java/util/Calendar getTime ()Ljava/util/Date;
L11: putfield Field RandomEvent when Ljava/util/Date;
L14: aload_0
L15: iload_1
L16: putfield Field RandomEvent value I
L19: return
L20:
.linenumbertable
L0 24
L4 21
L14 25
L19 26
.end linenumbertable
.end code
.end method
.sourcefile 'RandomEvent.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 08:00: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 RandomEvent_ESTest extends RandomEvent_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
RandomEvent randomEvent0 = new RandomEvent(16212);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 08:00: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 RandomEvent_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "RandomEvent";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp03672629");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(RandomEvent_ESTest_scaffolding.class.getClassLoader() ,
"RandomEvent"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RandomEvent_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"RandomEvent"
);
}
}
| 151,116 |
ArrayUtils
|
/*
* Copyright 2004-2013 H2 Group. Multiple-Licensed under the H2 License,
* Version 1.0, and under the Eclipse Public License, Version 1.0
* (http://h2database.com/html/license.html).
* Initial Developer: H2 Group
*/
import java.util.Comparator;
/** Array utility methods. */
public class ArrayUtils {
/**
* Sort an array using binary insertion sort
*
* @param <T> the type
* @param d the data
* @param left the index of the leftmost element
* @param right the index of the rightmost element
* @param comp the comparison class
*/
public static <T> void binaryInsertionSort(T[] d, int left, int right, Comparator<T> comp) {
for (int i = left + 1; i <= right; i++) {
T t = d[i];
int l = left;
for (int r = i; l < r; ) {
int m = (l + r) >>> 1;
if (comp.compare(t, d[m]) >= 0) {
l = m + 1;
} else {
r = m;
}
}
for (int n = i - l; n > 0; ) {
d[l + n--] = d[l + n];
}
d[l] = t;
}
}
/**
* Sort an array using insertion sort
*
* @param <T> the type
* @param d the data
* @param left the index of the leftmost element
* @param right the index of the rightmost element
* @param comp the comparison class
*/
public static <T> void insertionSort(T[] d, int left, int right, Comparator<T> comp) {
for (int i = left + 1, j; i <= right; i++) {
T t = d[i];
for (j = i - 1; j >= left && comp.compare(d[j], t) > 0; j--) {
d[j + 1] = d[j];
}
d[j + 1] = t;
}
}
}
|
.version 52 0
.class public super ArrayUtils
.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 binaryInsertionSort : ([Ljava/lang/Object;IILjava/util/Comparator;)V
.code stack 5 locals 9
L0: iload_1
L1: iconst_1
L2: iadd
L3: istore 4
.stack append Integer
L5: iload 4
L7: iload_2
L8: if_icmpgt L115
L11: aload_0
L12: iload 4
L14: aaload
L15: astore 5
L17: iload_1
L18: istore 6
L20: iload 4
L22: istore 7
.stack append Object java/lang/Object Integer Integer
L24: iload 6
L26: iload 7
L28: if_icmpge L71
L31: iload 6
L33: iload 7
L35: iadd
L36: iconst_1
L37: iushr
L38: istore 8
L40: aload_3
L41: aload 5
L43: aload_0
L44: iload 8
L46: aaload
L47: invokeinterface InterfaceMethod java/util/Comparator compare (Ljava/lang/Object;Ljava/lang/Object;)I 3
L52: iflt L64
L55: iload 8
L57: iconst_1
L58: iadd
L59: istore 6
L61: goto L68
.stack append Integer
L64: iload 8
L66: istore 7
.stack chop 1
L68: goto L24
.stack chop 1
L71: iload 4
L73: iload 6
L75: isub
L76: istore 7
.stack append Integer
L78: iload 7
L80: ifle L103
L83: aload_0
L84: iload 6
L86: iload 7
L88: iinc 7 -1
L91: iadd
L92: aload_0
L93: iload 6
L95: iload 7
L97: iadd
L98: aaload
L99: aastore
L100: goto L78
.stack chop 1
L103: aload_0
L104: iload 6
L106: aload 5
L108: aastore
L109: iinc 4 1
L112: goto L5
.stack chop 3
L115: return
L116:
.linenumbertable
L0 26
L11 27
L17 28
L20 29
L31 30
L40 31
L55 32
L64 34
L68 36
L71 37
L83 38
L103 40
L109 26
L115 42
.end linenumbertable
.end code
.signature '<T:Ljava/lang/Object;>([TT;IILjava/util/Comparator<TT;>;)V'
.end method
.method public static insertionSort : ([Ljava/lang/Object;IILjava/util/Comparator;)V
.code stack 4 locals 7
L0: iload_1
L1: iconst_1
L2: iadd
L3: istore 4
.stack append Integer
L5: iload 4
L7: iload_2
L8: if_icmpgt L74
L11: aload_0
L12: iload 4
L14: aaload
L15: astore 6
L17: iload 4
L19: iconst_1
L20: isub
L21: istore 5
.stack append Integer Object java/lang/Object
L23: iload 5
L25: iload_1
L26: if_icmplt L60
L29: aload_3
L30: aload_0
L31: iload 5
L33: aaload
L34: aload 6
L36: invokeinterface InterfaceMethod java/util/Comparator compare (Ljava/lang/Object;Ljava/lang/Object;)I 3
L41: ifle L60
L44: aload_0
L45: iload 5
L47: iconst_1
L48: iadd
L49: aload_0
L50: iload 5
L52: aaload
L53: aastore
L54: iinc 5 -1
L57: goto L23
.stack same
L60: aload_0
L61: iload 5
L63: iconst_1
L64: iadd
L65: aload 6
L67: aastore
L68: iinc 4 1
L71: goto L5
.stack chop 3
L74: return
L75:
.linenumbertable
L0 54
L11 55
L17 56
L44 57
L54 56
L60 59
L68 54
L74 61
.end linenumbertable
.end code
.signature '<T:Ljava/lang/Object;>([TT;IILjava/util/Comparator<TT;>;)V'
.end method
.sourcefile 'ArrayUtils.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 23:48:52 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.shaded.org.mockito.Mockito.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.util.Comparator;
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 ArrayUtils_ESTest extends ArrayUtils_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ArrayUtils arrayUtils0 = new ArrayUtils();
String[] stringArray0 = new String[6];
stringArray0[0] = "";
stringArray0[1] = "";
stringArray0[2] = "";
stringArray0[3] = "";
stringArray0[4] = "";
stringArray0[5] = "oe(}10;P";
Comparator<String> comparator0 = (Comparator<String>) mock(Comparator.class, new ViolatedAssumptionAnswer());
doReturn(0, 0, 0, 0, 0).when(comparator0).compare(anyString() , anyString());
// Undeclared exception!
try {
ArrayUtils.binaryInsertionSort(stringArray0, 0, 13786, comparator0);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 6
//
verifyException("ArrayUtils", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
ArrayUtils arrayUtils0 = new ArrayUtils();
Object[] objectArray0 = new Object[4];
Object object0 = new Object();
objectArray0[0] = object0;
objectArray0[1] = (Object) arrayUtils0;
objectArray0[2] = (Object) arrayUtils0;
objectArray0[3] = (Object) arrayUtils0;
Comparator<Object> comparator0 = (Comparator<Object>) mock(Comparator.class, new ViolatedAssumptionAnswer());
ArrayUtils.insertionSort(objectArray0, 0, 0, comparator0);
assertEquals(4, objectArray0.length);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
String[] stringArray0 = new String[2];
stringArray0[0] = "c";
stringArray0[1] = "";
Comparator<String> comparator0 = (Comparator<String>) mock(Comparator.class, new ViolatedAssumptionAnswer());
ArrayUtils.insertionSort(stringArray0, 72253, 72253, comparator0);
Comparator<String> comparator1 = (Comparator<String>) mock(Comparator.class, new ViolatedAssumptionAnswer());
ArrayUtils.insertionSort(stringArray0, 1, (-28536), comparator1);
Comparator<String> comparator2 = (Comparator<String>) mock(Comparator.class, new ViolatedAssumptionAnswer());
// Undeclared exception!
try {
ArrayUtils.binaryInsertionSort(stringArray0, (-47363), 0, comparator2);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// -47362
//
verifyException("ArrayUtils", e);
}
}
@Test(timeout = 4000)
public void test3() throws Throwable {
ArrayUtils arrayUtils0 = new ArrayUtils();
String[] stringArray0 = new String[5];
stringArray0[0] = "|je{k?5s";
stringArray0[1] = "";
stringArray0[2] = "";
stringArray0[3] = "";
stringArray0[4] = "ArrayUtils";
Comparator<String> comparator0 = (Comparator<String>) mock(Comparator.class, new ViolatedAssumptionAnswer());
ArrayUtils.insertionSort(stringArray0, (-25407), (-25407), comparator0);
Comparator<String> comparator1 = (Comparator<String>) mock(Comparator.class, new ViolatedAssumptionAnswer());
ArrayUtils.insertionSort(stringArray0, 27497, 0, comparator1);
assertEquals(5, stringArray0.length);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Object[] objectArray0 = new Object[1];
Object object0 = new Object();
objectArray0[0] = object0;
Comparator<Object> comparator0 = (Comparator<Object>) mock(Comparator.class, new ViolatedAssumptionAnswer());
ArrayUtils.insertionSort(objectArray0, 0, (-96757), comparator0);
ArrayUtils arrayUtils0 = new ArrayUtils();
String[] stringArray0 = new String[9];
stringArray0[0] = "a<cGYee*3";
stringArray0[1] = "u-";
stringArray0[2] = ",G.6~#WT:j?";
stringArray0[3] = "";
stringArray0[4] = "$K";
stringArray0[5] = "";
stringArray0[6] = "";
stringArray0[7] = "";
stringArray0[8] = "=G$J}r>zphcL/'fgCH3";
Comparator<String> comparator1 = (Comparator<String>) mock(Comparator.class, new ViolatedAssumptionAnswer());
ArrayUtils.binaryInsertionSort(stringArray0, 0, (-96757), comparator1);
String[] stringArray1 = new String[8];
stringArray1[0] = "#7Lz;w)>{3 hu";
stringArray1[1] = "";
stringArray1[2] = "";
stringArray1[3] = "";
stringArray1[4] = "B";
stringArray1[5] = "f}A!KCb(Nm08w25:~L";
stringArray1[6] = "7-:#\n!fbi#mpD>F";
stringArray1[7] = "|<";
int int0 = 0;
Comparator<String> comparator2 = (Comparator<String>) mock(Comparator.class, new ViolatedAssumptionAnswer());
// Undeclared exception!
try {
ArrayUtils.binaryInsertionSort(stringArray1, (-36808), 0, comparator2);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// -36807
//
verifyException("ArrayUtils", e);
}
}
@Test(timeout = 4000)
public void test5() throws Throwable {
ArrayUtils arrayUtils0 = new ArrayUtils();
Integer[] integerArray0 = new Integer[7];
int int0 = 0;
Integer integer0 = new Integer(0);
integerArray0[0] = integer0;
Integer integer1 = new Integer(0);
integerArray0[1] = integer1;
Integer integer2 = new Integer(0);
integerArray0[2] = integer2;
Integer integer3 = new Integer(0);
integerArray0[3] = integer3;
Integer integer4 = new Integer(int0);
integerArray0[4] = integer4;
Integer integer5 = new Integer(1);
integerArray0[5] = integer5;
Integer integer6 = new Integer((-1));
integerArray0[6] = integer6;
Comparator<Integer> comparator0 = (Comparator<Integer>) mock(Comparator.class, new ViolatedAssumptionAnswer());
ArrayUtils.insertionSort(integerArray0, 1, 0, comparator0);
assertEquals(7, integerArray0.length);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
Object[] objectArray0 = new Object[2];
Object object0 = new Object();
objectArray0[0] = object0;
Object object1 = new Object();
objectArray0[1] = object1;
Comparator<Object> comparator0 = (Comparator<Object>) mock(Comparator.class, new ViolatedAssumptionAnswer());
ArrayUtils.binaryInsertionSort(objectArray0, 0, (-65722), comparator0);
Comparator<Object> comparator1 = (Comparator<Object>) mock(Comparator.class, new ViolatedAssumptionAnswer());
ArrayUtils.binaryInsertionSort(objectArray0, 0, (-65722), comparator1);
ArrayUtils arrayUtils0 = new ArrayUtils();
Comparator<Object> comparator2 = (Comparator<Object>) mock(Comparator.class, new ViolatedAssumptionAnswer());
doReturn(0).when(comparator2).compare(any() , any());
// Undeclared exception!
try {
ArrayUtils.insertionSort(objectArray0, 0, 23766, comparator2);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 2
//
verifyException("ArrayUtils", e);
}
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 23:48:52 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
import static org.evosuite.shaded.org.mockito.Mockito.*;
@EvoSuiteClassExclude
public class ArrayUtils_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ArrayUtils";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.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/tmpbk0zzzft");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ArrayUtils_ESTest_scaffolding.class.getClassLoader() ,
"ArrayUtils"
);
}
private static void initMocksToAvoidTimeoutsInTheTests() throws ClassNotFoundException {
mock(Class.forName("java.util.Comparator", false, ArrayUtils_ESTest_scaffolding.class.getClassLoader()));
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ArrayUtils_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ArrayUtils"
);
}
}
| 151,117 |
PlantDataInstant
|
public class PlantDataInstant {
public final double plantSetPoint;
public final double avgIrr;
public final double[] invPowerSetPoint;
public final double[] invPowerOutput;
public final double plantPowerOutput;
public final double timeStamp;
PlantDataInstant(
double plantSetPoint,
double avgIrr,
double[] invPowerSetPoint,
double[] invPowerOutput,
double plantPowerOutput,
double timeStamp) {
this.plantSetPoint = plantSetPoint;
this.avgIrr = avgIrr;
this.invPowerSetPoint = invPowerSetPoint;
this.invPowerOutput = invPowerOutput;
this.plantPowerOutput = plantPowerOutput;
this.timeStamp = timeStamp;
}
}
|
.version 52 0
.class public super PlantDataInstant
.super java/lang/Object
.field public final plantSetPoint D
.field public final avgIrr D
.field public final invPowerSetPoint [D
.field public final invPowerOutput [D
.field public final plantPowerOutput D
.field public final timeStamp D
.method <init> : (DD[D[DDD)V
.code stack 3 locals 11
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: dload_1
L6: putfield Field PlantDataInstant plantSetPoint D
L9: aload_0
L10: dload_3
L11: putfield Field PlantDataInstant avgIrr D
L14: aload_0
L15: aload 5
L17: putfield Field PlantDataInstant invPowerSetPoint [D
L20: aload_0
L21: aload 6
L23: putfield Field PlantDataInstant invPowerOutput [D
L26: aload_0
L27: dload 7
L29: putfield Field PlantDataInstant plantPowerOutput D
L32: aload_0
L33: dload 9
L35: putfield Field PlantDataInstant timeStamp D
L38: return
L39:
.linenumbertable
L0 12
L4 13
L9 14
L14 15
L20 16
L26 17
L32 18
L38 19
.end linenumbertable
.end code
.end method
.sourcefile 'PlantDataInstant.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 02:56: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 PlantDataInstant_ESTest extends PlantDataInstant_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
double[] doubleArray0 = new double[4];
PlantDataInstant plantDataInstant0 = new PlantDataInstant(0.0, 1.0, doubleArray0, doubleArray0, 1.0, 1.0);
assertEquals(1.0, plantDataInstant0.plantPowerOutput, 1.0E-4);
assertEquals(0.0, plantDataInstant0.plantSetPoint, 1.0E-4);
assertEquals(1.0, plantDataInstant0.avgIrr, 1.0E-4);
assertEquals(1.0, plantDataInstant0.timeStamp, 1.0E-4);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 02:56: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 PlantDataInstant_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "PlantDataInstant";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpscsn0rs3");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PlantDataInstant_ESTest_scaffolding.class.getClassLoader() ,
"PlantDataInstant"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PlantDataInstant_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"PlantDataInstant"
);
}
}
| 151,118 |
AuthResponse
|
/** Created by viftimie on 8/10/2015. */
// {id='1860', email='user1@email.com', userId='aab3b686-2125-483c-9c2e-3d08163094e7-1438930092076',
// avatar='null', type='null', fbToken='null', fbTokenExp=-1, dbToken='null', dbTokenExp=-1,
// userData='1,2,1,1,3', quotaLimit=5368709120, quotaUsed=0, quotaShared=0, authorized=true,
// confirmed=false, invalidEmail=false, firstName='', lastName='', language='null'}
public class AuthResponse {
public String id;
public String email;
public String userId;
public String avatar; // TODO:??
public String type; // TODO:??
public String fbToken;
public long fbTokenExp;
public String dbToken; // TODO:??
public long dbTokenExp;
public String userData;
public long quotaLimit;
public long quotaUsed;
public long quotaShared;
public boolean authorized;
public boolean confirmed;
public boolean invalidEmail;
public String firstName;
public String lastName;
public String language;
@Override
public String toString() {
return "AuthResponse{"
+ "id='"
+ id
+ '\''
+ ", email='"
+ email
+ '\''
+ ", userId='"
+ userId
+ '\''
+ ", avatar='"
+ avatar
+ '\''
+ ", type='"
+ type
+ '\''
+ ", fbToken='"
+ fbToken
+ '\''
+ ", fbTokenExp="
+ fbTokenExp
+ ", dbToken='"
+ dbToken
+ '\''
+ ", dbTokenExp="
+ dbTokenExp
+ ", userData='"
+ userData
+ '\''
+ ", quotaLimit="
+ quotaLimit
+ ", quotaUsed="
+ quotaUsed
+ ", quotaShared="
+ quotaShared
+ ", authorized="
+ authorized
+ ", confirmed="
+ confirmed
+ ", invalidEmail="
+ invalidEmail
+ ", firstName='"
+ firstName
+ '\''
+ ", lastName='"
+ lastName
+ '\''
+ ", language='"
+ language
+ '\''
+ '}';
}
}
|
.version 52 0
.class public super AuthResponse
.super java/lang/Object
.field public id Ljava/lang/String;
.field public email Ljava/lang/String;
.field public userId Ljava/lang/String;
.field public avatar Ljava/lang/String;
.field public type Ljava/lang/String;
.field public fbToken Ljava/lang/String;
.field public fbTokenExp J
.field public dbToken Ljava/lang/String;
.field public dbTokenExp J
.field public userData Ljava/lang/String;
.field public quotaLimit J
.field public quotaUsed J
.field public quotaShared J
.field public authorized Z
.field public confirmed Z
.field public invalidEmail Z
.field public firstName Ljava/lang/String;
.field public lastName Ljava/lang/String;
.field public language 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 8
.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 "AuthResponse{id='"
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field AuthResponse id Ljava/lang/String;
L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L19: bipush 39
L21: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L24: ldc ", email='"
L26: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L29: aload_0
L30: getfield Field AuthResponse email Ljava/lang/String;
L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L36: bipush 39
L38: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L41: ldc ", userId='"
L43: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L46: aload_0
L47: getfield Field AuthResponse userId Ljava/lang/String;
L50: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L53: bipush 39
L55: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L58: ldc ", avatar='"
L60: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L63: aload_0
L64: getfield Field AuthResponse avatar Ljava/lang/String;
L67: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L70: bipush 39
L72: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L75: ldc ", type='"
L77: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L80: aload_0
L81: getfield Field AuthResponse type Ljava/lang/String;
L84: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L87: bipush 39
L89: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L92: ldc ", fbToken='"
L94: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L97: aload_0
L98: getfield Field AuthResponse fbToken Ljava/lang/String;
L101: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L104: bipush 39
L106: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L109: ldc ', fbTokenExp='
L111: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L114: aload_0
L115: getfield Field AuthResponse fbTokenExp J
L118: invokevirtual Method java/lang/StringBuilder append (J)Ljava/lang/StringBuilder;
L121: ldc ", dbToken='"
L123: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L126: aload_0
L127: getfield Field AuthResponse dbToken Ljava/lang/String;
L130: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L133: bipush 39
L135: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L138: ldc ', dbTokenExp='
L140: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L143: aload_0
L144: getfield Field AuthResponse dbTokenExp J
L147: invokevirtual Method java/lang/StringBuilder append (J)Ljava/lang/StringBuilder;
L150: ldc ", userData='"
L152: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L155: aload_0
L156: getfield Field AuthResponse userData Ljava/lang/String;
L159: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L162: bipush 39
L164: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L167: ldc ', quotaLimit='
L169: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L172: aload_0
L173: getfield Field AuthResponse quotaLimit J
L176: invokevirtual Method java/lang/StringBuilder append (J)Ljava/lang/StringBuilder;
L179: ldc ', quotaUsed='
L181: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L184: aload_0
L185: getfield Field AuthResponse quotaUsed J
L188: invokevirtual Method java/lang/StringBuilder append (J)Ljava/lang/StringBuilder;
L191: ldc ', quotaShared='
L193: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L196: aload_0
L197: getfield Field AuthResponse quotaShared J
L200: invokevirtual Method java/lang/StringBuilder append (J)Ljava/lang/StringBuilder;
L203: ldc ', authorized='
L205: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L208: aload_0
L209: getfield Field AuthResponse authorized Z
L212: invokevirtual Method java/lang/StringBuilder append (Z)Ljava/lang/StringBuilder;
L215: ldc ', confirmed='
L217: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L220: aload_0
L221: getfield Field AuthResponse confirmed Z
L224: invokevirtual Method java/lang/StringBuilder append (Z)Ljava/lang/StringBuilder;
L227: ldc ', invalidEmail='
L229: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L232: aload_0
L233: getfield Field AuthResponse invalidEmail Z
L236: invokevirtual Method java/lang/StringBuilder append (Z)Ljava/lang/StringBuilder;
L239: ldc ", firstName='"
L241: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L244: aload_0
L245: getfield Field AuthResponse firstName Ljava/lang/String;
L248: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L251: bipush 39
L253: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L256: ldc ", lastName='"
L258: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L261: aload_0
L262: getfield Field AuthResponse lastName Ljava/lang/String;
L265: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L268: bipush 39
L270: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L273: ldc ", language='"
L275: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L278: aload_0
L279: getfield Field AuthResponse language Ljava/lang/String;
L282: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L285: bipush 39
L287: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L290: bipush 125
L292: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L295: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L298: areturn
L299:
.linenumbertable
L0 31
.end linenumbertable
.end code
.end method
.sourcefile 'AuthResponse.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 11:29:11 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class AuthResponse_ESTest extends AuthResponse_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
AuthResponse authResponse0 = new AuthResponse();
String string0 = authResponse0.toString();
assertEquals("AuthResponse{id='null', email='null', userId='null', avatar='null', type='null', fbToken='null', fbTokenExp=0, dbToken='null', dbTokenExp=0, userData='null', quotaLimit=0, quotaUsed=0, quotaShared=0, authorized=false, confirmed=false, invalidEmail=false, firstName='null', lastName='null', language='null'}", string0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 11:29:11 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class AuthResponse_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "AuthResponse";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpq7boia6r");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(AuthResponse_ESTest_scaffolding.class.getClassLoader() ,
"AuthResponse"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AuthResponse_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"AuthResponse"
);
}
}
| 151,119 |
Production3928
|
public class Production3928 {
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 Production3928
.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 Production3928 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 Production3928 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 Production3928 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 Production3928 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 Production3928 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 Production3928 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 Production3928 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 Production3928 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 Production3928 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 Production3928 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 Production3928 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 Production3928 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 Production3928 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 Production3928 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 Production3928 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 Production3928 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 Production3928 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 Production3928 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 Production3928 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 Production3928 property9 Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 102
L5 103
.end linenumbertable
.end code
.end method
.sourcefile 'Production3928.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sun Jul 03 16:40: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 Production3928_ESTest extends Production3928_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
Production3928 production3928_0 = new Production3928();
production3928_0.setProperty9("rH{hh_E_lhVU+mJ0Rls");
String string0 = production3928_0.getProperty9();
assertEquals("rH{hh_E_lhVU+mJ0Rls", string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
Production3928 production3928_0 = new Production3928();
production3928_0.setProperty9("");
String string0 = production3928_0.getProperty9();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
Production3928 production3928_0 = new Production3928();
production3928_0.setProperty8("0-");
String string0 = production3928_0.getProperty8();
assertEquals("0-", string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
Production3928 production3928_0 = new Production3928();
production3928_0.setProperty8("");
String string0 = production3928_0.getProperty8();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
Production3928 production3928_0 = new Production3928();
production3928_0.setProperty7("U~d-&a8v@Vyi@r:H");
String string0 = production3928_0.getProperty7();
assertEquals("U~d-&a8v@Vyi@r:H", string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
Production3928 production3928_0 = new Production3928();
production3928_0.setProperty6("");
String string0 = production3928_0.getProperty6();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
Production3928 production3928_0 = new Production3928();
production3928_0.setProperty5("{)7hO/");
String string0 = production3928_0.getProperty5();
assertEquals("{)7hO/", string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
Production3928 production3928_0 = new Production3928();
production3928_0.setProperty4(", Y4");
String string0 = production3928_0.getProperty4();
assertEquals(", Y4", string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
Production3928 production3928_0 = new Production3928();
production3928_0.setProperty4("");
String string0 = production3928_0.getProperty4();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
Production3928 production3928_0 = new Production3928();
production3928_0.setProperty3("");
String string0 = production3928_0.getProperty3();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
Production3928 production3928_0 = new Production3928();
production3928_0.setProperty2("H!ttGt{_zqCoV*`");
String string0 = production3928_0.getProperty2();
assertEquals("H!ttGt{_zqCoV*`", string0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
Production3928 production3928_0 = new Production3928();
production3928_0.setProperty2("");
String string0 = production3928_0.getProperty2();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
Production3928 production3928_0 = new Production3928();
production3928_0.setProperty1("");
String string0 = production3928_0.getProperty1();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
Production3928 production3928_0 = new Production3928();
production3928_0.setProperty0("E:ER<SU`9");
String string0 = production3928_0.getProperty0();
assertEquals("E:ER<SU`9", string0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
Production3928 production3928_0 = new Production3928();
production3928_0.setProperty0("");
String string0 = production3928_0.getProperty0();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
Production3928 production3928_0 = new Production3928();
String string0 = production3928_0.getProperty0();
assertNull(string0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
Production3928 production3928_0 = new Production3928();
production3928_0.setProperty3("*$fsE/x_!Cu}HEI$i");
String string0 = production3928_0.getProperty3();
assertEquals("*$fsE/x_!Cu}HEI$i", string0);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
Production3928 production3928_0 = new Production3928();
String string0 = production3928_0.getProperty5();
assertNull(string0);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
Production3928 production3928_0 = new Production3928();
String string0 = production3928_0.getProperty1();
assertNull(string0);
}
@Test(timeout = 4000)
public void test19() throws Throwable {
Production3928 production3928_0 = new Production3928();
String string0 = production3928_0.getProperty7();
assertNull(string0);
}
@Test(timeout = 4000)
public void test20() throws Throwable {
Production3928 production3928_0 = new Production3928();
String string0 = production3928_0.getProperty4();
assertNull(string0);
}
@Test(timeout = 4000)
public void test21() throws Throwable {
Production3928 production3928_0 = new Production3928();
production3928_0.setProperty5("");
String string0 = production3928_0.getProperty5();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test22() throws Throwable {
Production3928 production3928_0 = new Production3928();
String string0 = production3928_0.getProperty8();
assertNull(string0);
}
@Test(timeout = 4000)
public void test23() throws Throwable {
Production3928 production3928_0 = new Production3928();
production3928_0.setProperty7("");
String string0 = production3928_0.getProperty7();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test24() throws Throwable {
Production3928 production3928_0 = new Production3928();
String string0 = production3928_0.getProperty3();
assertNull(string0);
}
@Test(timeout = 4000)
public void test25() throws Throwable {
Production3928 production3928_0 = new Production3928();
String string0 = production3928_0.getProperty9();
assertNull(string0);
}
@Test(timeout = 4000)
public void test26() throws Throwable {
Production3928 production3928_0 = new Production3928();
production3928_0.setProperty1("^4Ol:j:");
String string0 = production3928_0.getProperty1();
assertEquals("^4Ol:j:", string0);
}
@Test(timeout = 4000)
public void test27() throws Throwable {
Production3928 production3928_0 = new Production3928();
production3928_0.setProperty6("{)7hO/");
String string0 = production3928_0.getProperty6();
assertEquals("{)7hO/", string0);
}
@Test(timeout = 4000)
public void test28() throws Throwable {
Production3928 production3928_0 = new Production3928();
String string0 = production3928_0.getProperty6();
assertNull(string0);
}
@Test(timeout = 4000)
public void test29() throws Throwable {
Production3928 production3928_0 = new Production3928();
String string0 = production3928_0.getProperty2();
assertNull(string0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 16:40: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 Production3928_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Production3928";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpvwr_qlx7");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Production3928_ESTest_scaffolding.class.getClassLoader() ,
"Production3928"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Production3928_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Production3928"
);
}
}
| 151,120 |
ProcessHelper
|
/*
* WMSX - Workload Management Extensions for gLite
*
* Copyright (C) 2007-2008 Max Berger
*
* 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/.
*/
/* $Id$ */
import java.io.IOException;
/**
* Launches scripts and binaries.
*
* @version $Date$
*/
public final class ProcessHelper {
private ProcessHelper() {
// empty on purpose.
}
/**
* Cleanup after a process.
*
* @param process The process to clean up after.
*/
public static void cleanupProcess(final Process process) {
if (process == null) {
return;
}
try {
process.waitFor();
} catch (final InterruptedException e) {
// ignore
}
try {
process.getInputStream().close();
} catch (final IOException e) {
// ignore
}
try {
process.getOutputStream().close();
} catch (final IOException e) {
// ignore
}
try {
process.getErrorStream().close();
} catch (final IOException e) {
// ignore
}
}
}
|
.version 52 0
.class public final super ProcessHelper
.super java/lang/Object
.method private <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 32
L4 34
.end linenumbertable
.end code
.end method
.method public static cleanupProcess : (Ljava/lang/Process;)V
.code stack 1 locals 2
L0: aload_0
L1: ifnonnull L5
L4: return
.catch java/lang/InterruptedException from L5 to L10 using L13
.stack same
L5: aload_0
L6: invokevirtual Method java/lang/Process waitFor ()I
L9: pop
L10: goto L14
.stack stack_1 Object java/lang/InterruptedException
L13: astore_1
.catch java/io/IOException from L14 to L21 using L24
.stack same
L14: aload_0
L15: invokevirtual Method java/lang/Process getInputStream ()Ljava/io/InputStream;
L18: invokevirtual Method java/io/InputStream close ()V
L21: goto L25
.stack stack_1 Object java/io/IOException
L24: astore_1
.catch java/io/IOException from L25 to L32 using L35
.stack same
L25: aload_0
L26: invokevirtual Method java/lang/Process getOutputStream ()Ljava/io/OutputStream;
L29: invokevirtual Method java/io/OutputStream close ()V
L32: goto L36
.stack stack_1 Object java/io/IOException
L35: astore_1
.catch java/io/IOException from L36 to L43 using L46
.stack same
L36: aload_0
L37: invokevirtual Method java/lang/Process getErrorStream ()Ljava/io/InputStream;
L40: invokevirtual Method java/io/InputStream close ()V
L43: goto L47
.stack stack_1 Object java/io/IOException
L46: astore_1
.stack same
L47: return
L48:
.linenumbertable
L0 43
L4 44
L5 47
L10 50
L13 48
L14 52
L21 55
L24 53
L25 57
L32 60
L35 58
L36 62
L43 65
L46 63
L47 66
.end linenumbertable
.end code
.end method
.sourcefile 'ProcessHelper.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 12:55:55 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.InputStream;
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 ProcessHelper_ESTest extends ProcessHelper_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Process process0 = mock(Process.class, new ViolatedAssumptionAnswer());
doReturn((InputStream) null).when(process0).getInputStream();
doReturn(0).when(process0).waitFor();
// Undeclared exception!
try {
ProcessHelper.cleanupProcess(process0);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("ProcessHelper", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
ProcessHelper.cleanupProcess((Process) null);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 12:55:55 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
import static org.evosuite.shaded.org.mockito.Mockito.*;
@EvoSuiteClassExclude
public class ProcessHelper_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ProcessHelper";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.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/tmpixz7_za_");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ProcessHelper_ESTest_scaffolding.class.getClassLoader() ,
"ProcessHelper"
);
}
private static void initMocksToAvoidTimeoutsInTheTests() throws ClassNotFoundException {
mock(Class.forName("java.lang.Process", false, ProcessHelper_ESTest_scaffolding.class.getClassLoader()));
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ProcessHelper_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ProcessHelper"
);
}
}
| 151,121 |
SearchZoneNotFoundException
|
@SuppressWarnings("serial")
public class SearchZoneNotFoundException extends Exception {
public SearchZoneNotFoundException() {}
public SearchZoneNotFoundException(String message) {
super(message);
}
public SearchZoneNotFoundException(Throwable cause) {
super(cause);
}
public SearchZoneNotFoundException(String message, Throwable cause) {
super(message, cause);
}
}
|
.version 52 0
.class public super SearchZoneNotFoundException
.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
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/Exception <init> (Ljava/lang/String;)V
L5: return
L6:
.linenumbertable
L0 10
L5 11
.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 14
L5 15
.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 18
L6 19
.end linenumbertable
.end code
.end method
.sourcefile 'SearchZoneNotFoundException.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 20:20: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 SearchZoneNotFoundException_ESTest extends SearchZoneNotFoundException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
SearchZoneNotFoundException searchZoneNotFoundException0 = new SearchZoneNotFoundException();
}
@Test(timeout = 4000)
public void test1() throws Throwable {
SearchZoneNotFoundException searchZoneNotFoundException0 = new SearchZoneNotFoundException("e?.I=%-##{");
SearchZoneNotFoundException searchZoneNotFoundException1 = new SearchZoneNotFoundException("", searchZoneNotFoundException0);
assertFalse(searchZoneNotFoundException1.equals((Object)searchZoneNotFoundException0));
}
@Test(timeout = 4000)
public void test2() throws Throwable {
SearchZoneNotFoundException searchZoneNotFoundException0 = new SearchZoneNotFoundException("e?.I=%-##{");
SearchZoneNotFoundException searchZoneNotFoundException1 = new SearchZoneNotFoundException(searchZoneNotFoundException0);
assertFalse(searchZoneNotFoundException1.equals((Object)searchZoneNotFoundException0));
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 20:20: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 SearchZoneNotFoundException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "SearchZoneNotFoundException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpc2zkfmmv");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SearchZoneNotFoundException_ESTest_scaffolding.class.getClassLoader() ,
"SearchZoneNotFoundException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SearchZoneNotFoundException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"SearchZoneNotFoundException"
);
}
}
| 151,122 |
Throwables
|
/*
* JBoss, Home of Professional Open Source
* Copyright 2015, Red Hat, Inc., and individual contributors as indicated
* by the @authors tag.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
import java.io.ByteArrayOutputStream;
import java.io.PrintStream;
/**
* A collection of Throwable utilities.
*
* @version <tt>$Revision$</tt>
* @author <a href="mailto:jason@planet57.com">Jason Dillon</a>
*/
public final class Throwables {
/**
* Return a string that consists of the stack trace of the given <code>Throwable</code>.
*
* @param t <code>Throwable</code> to get stack trace from.
* @return <code>Throwable</code> stack trace as a string.
*/
public static String toString(final Throwable t) {
ByteArrayOutputStream output = new ByteArrayOutputStream();
PrintStream stream = new PrintStream(output);
t.printStackTrace(stream);
return output.toString();
}
}
|
.version 52 0
.class public final super Throwables
.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 29
.end linenumbertable
.end code
.end method
.method public static toString : (Ljava/lang/Throwable;)Ljava/lang/String;
.code stack 3 locals 3
L0: new java/io/ByteArrayOutputStream
L3: dup
L4: invokespecial Method java/io/ByteArrayOutputStream <init> ()V
L7: astore_1
L8: new java/io/PrintStream
L11: dup
L12: aload_1
L13: invokespecial Method java/io/PrintStream <init> (Ljava/io/OutputStream;)V
L16: astore_2
L17: aload_0
L18: aload_2
L19: invokevirtual Method java/lang/Throwable printStackTrace (Ljava/io/PrintStream;)V
L22: aload_1
L23: invokevirtual Method java/io/ByteArrayOutputStream toString ()Ljava/lang/String;
L26: areturn
L27:
.linenumbertable
L0 39
L8 40
L17 41
L22 43
.end linenumbertable
.end code
.end method
.sourcefile 'Throwables.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 15:22:37 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 Throwables_ESTest extends Throwables_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
MockThrowable mockThrowable0 = new MockThrowable();
String string0 = Throwables.toString((Throwable) mockThrowable0);
// // Unstable assertion: assertEquals("sun.reflect.GeneratedConstructorAccessor39.newInstance(Unknown Source)\n<evosuite>.<evosuite>(<evosuite>)\n<evosuite>.<evosuite>(<evosuite>)\n<evosuite>.<evosuite>(<evosuite>)\n<evosuite>.<evosuite>(<evosuite>)\n<evosuite>.<evosuite>(<evosuite>)\n", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Throwables throwables0 = new Throwables();
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 15:22: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 Throwables_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Throwables";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpvhoaznq9");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Throwables_ESTest_scaffolding.class.getClassLoader() ,
"Throwables"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Throwables_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Throwables"
);
}
}
| 151,123 |
Criteria
|
// 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;
public class Criteria {
private Long offset;
private Long limit;
private String orderBy;
private Boolean ascending;
private final HashMap<String, Object> criteria;
public static final String ID = "id";
public static final String USERID = "userId";
public static final String NAME = "name";
public static final String NOTSTATE = "notState";
public static final String STATE = "state";
public static final String DATACENTERID = "dataCenterId";
public static final String DESCRIPTION = "description";
public static final String PODID = "podId";
public static final String CLUSTERID = "clusterId";
public static final String HOSTID = "hostId";
public static final String OSCATEGORYID = "osCategoryId";
public static final String PODNAME = "podName";
public static final String ZONENAME = "zoneName";
public static final String HOSTNAME = "hostName";
public static final String HOST = "host";
public static final String USERNAME = "username";
public static final String TYPE = "type";
public static final String STATUS = "status";
public static final String READY = "ready";
public static final String ISPUBLIC = "isPublic";
public static final String ADDRESS = "address";
public static final String REMOVED = "removed";
public static final String ISRECURSIVE = "isRecursive";
public static final String ISDISABLED = "isDisabled";
public static final String ISCLEANUPREQUIRED = "isCleanupRequired";
public static final String LEVEL = "level";
public static final String STARTDATE = "startDate";
public static final String ENDDATE = "endDate";
public static final String VTYPE = "vType";
public static final String INSTANCEID = "instanceId";
public static final String VOLUMEID = "volumeId";
public static final String DOMAINID = "domainId";
public static final String DOMAIN = "domain";
public static final String ACCOUNTID = "accountId";
public static final String ACCOUNTNAME = "accountName";
public static final String CATEGORY = "category";
public static final String CREATED_BY = "createdBy";
public static final String GROUPID = "groupId";
public static final String PATH = "path";
public static final String KEYWORD = "keyword";
public static final String ISADMIN = "isadmin";
public static final String VLAN = "vlan";
public static final String ISALLOCATED = "isallocated";
public static final String IPADDRESS = "ipaddress";
public static final String FOR_VIRTUAL_NETWORK = "forvirtualnetwork";
public static final String TARGET_IQN = "targetiqn";
public static final String SCOPE = "scope";
public static final String NETWORKGROUP = "networkGroup";
public static final String GROUP = "group";
public static final String EMPTY_GROUP = "emptyGroup";
public static final String NETWORKID = "networkId";
public static final String HYPERVISOR = "hypervisor";
public static final String STORAGE_ID = "storageid";
public static final String TEMPLATE_ID = "templateid";
public static final String ISO_ID = "isoid";
public Criteria(String orderBy, Boolean ascending, Long offset, Long limit) {
this.offset = offset;
this.limit = limit;
this.orderBy = orderBy;
this.ascending = ascending;
criteria = new HashMap<String, Object>();
}
public Criteria() {
criteria = new HashMap<String, Object>();
this.ascending = false;
}
public Long getOffset() {
return offset;
}
public void addCriteria(String name, Object val) {
criteria.put(name, val);
}
public Object getCriteria(String name) {
return criteria.get(name);
}
public void setOffset(Long offset) {
this.offset = offset;
}
public Long getLimit() {
return limit;
}
public void setLimit(Long limit) {
this.limit = limit;
}
public String getOrderBy() {
return orderBy;
}
public void setOrderBy(String orderBy) {
this.orderBy = orderBy;
}
public Boolean getAscending() {
return ascending;
}
public void setAscending(Boolean ascending) {
this.ascending = ascending;
}
}
|
.version 52 0
.class public super Criteria
.super java/lang/Object
.field private offset Ljava/lang/Long;
.field private limit Ljava/lang/Long;
.field private orderBy Ljava/lang/String;
.field private ascending Ljava/lang/Boolean;
.field private final criteria Ljava/util/HashMap; .fieldattributes
.signature Ljava/util/HashMap<Ljava/lang/String;Ljava/lang/Object;>;
.end fieldattributes
.field public static final ID Ljava/lang/String; = 'id'
.field public static final USERID Ljava/lang/String; = 'userId'
.field public static final NAME Ljava/lang/String; = 'name'
.field public static final NOTSTATE Ljava/lang/String; = 'notState'
.field public static final STATE Ljava/lang/String; = 'state'
.field public static final DATACENTERID Ljava/lang/String; = 'dataCenterId'
.field public static final DESCRIPTION Ljava/lang/String; = 'description'
.field public static final PODID Ljava/lang/String; = 'podId'
.field public static final CLUSTERID Ljava/lang/String; = 'clusterId'
.field public static final HOSTID Ljava/lang/String; = 'hostId'
.field public static final OSCATEGORYID Ljava/lang/String; = 'osCategoryId'
.field public static final PODNAME Ljava/lang/String; = 'podName'
.field public static final ZONENAME Ljava/lang/String; = 'zoneName'
.field public static final HOSTNAME Ljava/lang/String; = 'hostName'
.field public static final HOST Ljava/lang/String; = 'host'
.field public static final USERNAME Ljava/lang/String; = 'username'
.field public static final TYPE Ljava/lang/String; = 'type'
.field public static final STATUS Ljava/lang/String; = 'status'
.field public static final READY Ljava/lang/String; = 'ready'
.field public static final ISPUBLIC Ljava/lang/String; = 'isPublic'
.field public static final ADDRESS Ljava/lang/String; = 'address'
.field public static final REMOVED Ljava/lang/String; = 'removed'
.field public static final ISRECURSIVE Ljava/lang/String; = 'isRecursive'
.field public static final ISDISABLED Ljava/lang/String; = 'isDisabled'
.field public static final ISCLEANUPREQUIRED Ljava/lang/String; = 'isCleanupRequired'
.field public static final LEVEL Ljava/lang/String; = 'level'
.field public static final STARTDATE Ljava/lang/String; = 'startDate'
.field public static final ENDDATE Ljava/lang/String; = 'endDate'
.field public static final VTYPE Ljava/lang/String; = 'vType'
.field public static final INSTANCEID Ljava/lang/String; = 'instanceId'
.field public static final VOLUMEID Ljava/lang/String; = 'volumeId'
.field public static final DOMAINID Ljava/lang/String; = 'domainId'
.field public static final DOMAIN Ljava/lang/String; = 'domain'
.field public static final ACCOUNTID Ljava/lang/String; = 'accountId'
.field public static final ACCOUNTNAME Ljava/lang/String; = 'accountName'
.field public static final CATEGORY Ljava/lang/String; = 'category'
.field public static final CREATED_BY Ljava/lang/String; = 'createdBy'
.field public static final GROUPID Ljava/lang/String; = 'groupId'
.field public static final PATH Ljava/lang/String; = 'path'
.field public static final KEYWORD Ljava/lang/String; = 'keyword'
.field public static final ISADMIN Ljava/lang/String; = 'isadmin'
.field public static final VLAN Ljava/lang/String; = 'vlan'
.field public static final ISALLOCATED Ljava/lang/String; = 'isallocated'
.field public static final IPADDRESS Ljava/lang/String; = 'ipaddress'
.field public static final FOR_VIRTUAL_NETWORK Ljava/lang/String; = 'forvirtualnetwork'
.field public static final TARGET_IQN Ljava/lang/String; = 'targetiqn'
.field public static final SCOPE Ljava/lang/String; = 'scope'
.field public static final NETWORKGROUP Ljava/lang/String; = 'networkGroup'
.field public static final GROUP Ljava/lang/String; = 'group'
.field public static final EMPTY_GROUP Ljava/lang/String; = 'emptyGroup'
.field public static final NETWORKID Ljava/lang/String; = 'networkId'
.field public static final HYPERVISOR Ljava/lang/String; = 'hypervisor'
.field public static final STORAGE_ID Ljava/lang/String; = 'storageid'
.field public static final TEMPLATE_ID Ljava/lang/String; = 'templateid'
.field public static final ISO_ID Ljava/lang/String; = 'isoid'
.method public <init> : (Ljava/lang/String;Ljava/lang/Boolean;Ljava/lang/Long;Ljava/lang/Long;)V
.code stack 3 locals 5
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_3
L6: putfield Field Criteria offset Ljava/lang/Long;
L9: aload_0
L10: aload 4
L12: putfield Field Criteria limit Ljava/lang/Long;
L15: aload_0
L16: aload_1
L17: putfield Field Criteria orderBy Ljava/lang/String;
L20: aload_0
L21: aload_2
L22: putfield Field Criteria ascending Ljava/lang/Boolean;
L25: aload_0
L26: new java/util/HashMap
L29: dup
L30: invokespecial Method java/util/HashMap <init> ()V
L33: putfield Field Criteria criteria Ljava/util/HashMap;
L36: return
L37:
.linenumbertable
L0 85
L4 86
L9 87
L15 88
L20 89
L25 90
L36 91
.end linenumbertable
.end code
.end method
.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 Criteria criteria Ljava/util/HashMap;
L15: aload_0
L16: iconst_0
L17: invokestatic Method java/lang/Boolean valueOf (Z)Ljava/lang/Boolean;
L20: putfield Field Criteria ascending Ljava/lang/Boolean;
L23: return
L24:
.linenumbertable
L0 93
L4 94
L15 95
L23 96
.end linenumbertable
.end code
.end method
.method public getOffset : ()Ljava/lang/Long;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Criteria offset Ljava/lang/Long;
L4: areturn
L5:
.linenumbertable
L0 99
.end linenumbertable
.end code
.end method
.method public addCriteria : (Ljava/lang/String;Ljava/lang/Object;)V
.code stack 3 locals 3
L0: aload_0
L1: getfield Field Criteria criteria Ljava/util/HashMap;
L4: aload_1
L5: aload_2
L6: invokevirtual Method java/util/HashMap put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object;
L9: pop
L10: return
L11:
.linenumbertable
L0 103
L10 104
.end linenumbertable
.end code
.end method
.method public getCriteria : (Ljava/lang/String;)Ljava/lang/Object;
.code stack 2 locals 2
L0: aload_0
L1: getfield Field Criteria criteria Ljava/util/HashMap;
L4: aload_1
L5: invokevirtual Method java/util/HashMap get (Ljava/lang/Object;)Ljava/lang/Object;
L8: areturn
L9:
.linenumbertable
L0 107
.end linenumbertable
.end code
.end method
.method public setOffset : (Ljava/lang/Long;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Criteria offset Ljava/lang/Long;
L5: return
L6:
.linenumbertable
L0 111
L5 112
.end linenumbertable
.end code
.end method
.method public getLimit : ()Ljava/lang/Long;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Criteria limit Ljava/lang/Long;
L4: areturn
L5:
.linenumbertable
L0 115
.end linenumbertable
.end code
.end method
.method public setLimit : (Ljava/lang/Long;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Criteria limit Ljava/lang/Long;
L5: return
L6:
.linenumbertable
L0 119
L5 120
.end linenumbertable
.end code
.end method
.method public getOrderBy : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Criteria orderBy Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 123
.end linenumbertable
.end code
.end method
.method public setOrderBy : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Criteria orderBy Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 127
L5 128
.end linenumbertable
.end code
.end method
.method public getAscending : ()Ljava/lang/Boolean;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Criteria ascending Ljava/lang/Boolean;
L4: areturn
L5:
.linenumbertable
L0 131
.end linenumbertable
.end code
.end method
.method public setAscending : (Ljava/lang/Boolean;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Criteria ascending Ljava/lang/Boolean;
L5: return
L6:
.linenumbertable
L0 135
L5 136
.end linenumbertable
.end code
.end method
.sourcefile 'Criteria.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sun Jul 03 16:27: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 Criteria_ESTest extends Criteria_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
Criteria criteria0 = new Criteria();
criteria0.getOrderBy();
assertFalse(criteria0.getAscending());
}
@Test(timeout = 4000)
public void test01() throws Throwable {
Criteria criteria0 = new Criteria("\"euul3:ab0", (Boolean) null, (Long) null, (Long) null);
String string0 = criteria0.getOrderBy();
assertEquals("\"euul3:ab0", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
Criteria criteria0 = new Criteria();
criteria0.getOffset();
assertFalse(criteria0.getAscending());
}
@Test(timeout = 4000)
public void test03() throws Throwable {
Boolean boolean0 = Boolean.TRUE;
Long long0 = new Long(14602L);
Criteria criteria0 = new Criteria("OUap", boolean0, long0, long0);
Long long1 = criteria0.getOffset();
assertEquals(14602L, (long)long1);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
Boolean boolean0 = Boolean.valueOf(false);
Long long0 = new Long((-74278L));
Criteria criteria0 = new Criteria("", boolean0, long0, long0);
Long long1 = criteria0.getOffset();
assertEquals((-74278L), (long)long1);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
Criteria criteria0 = new Criteria();
criteria0.getLimit();
assertFalse(criteria0.getAscending());
}
@Test(timeout = 4000)
public void test06() throws Throwable {
Boolean boolean0 = Boolean.FALSE;
Long long0 = new Long((-46484L));
Criteria criteria0 = new Criteria("i~fd*pVg w^", boolean0, long0, long0);
Long long1 = criteria0.getLimit();
assertEquals((-46484L), (long)long1);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
Boolean boolean0 = Boolean.valueOf(false);
Long long0 = new Long(42527L);
Criteria criteria0 = new Criteria("$Y<P+_dm<<V?]p>&H", boolean0, long0, long0);
Long long1 = criteria0.getLimit();
assertEquals(42527L, (long)long1);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
Criteria criteria0 = new Criteria();
Long long0 = new Long((-1L));
criteria0.setLimit(long0);
criteria0.getLimit();
assertFalse(criteria0.getAscending());
}
@Test(timeout = 4000)
public void test09() throws Throwable {
Criteria criteria0 = new Criteria("\"euul3:ab0", (Boolean) null, (Long) null, (Long) null);
Boolean boolean0 = criteria0.getAscending();
assertNull(boolean0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
Criteria criteria0 = new Criteria();
Boolean boolean0 = new Boolean(true);
criteria0.setAscending(boolean0);
Boolean boolean1 = criteria0.getAscending();
assertTrue(boolean1);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
Boolean boolean0 = Boolean.valueOf("");
Long long0 = new Long(0L);
Criteria criteria0 = new Criteria("", boolean0, long0, long0);
Object object0 = criteria0.getCriteria("");
assertNull(object0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
Boolean boolean0 = Boolean.valueOf("");
Long long0 = new Long(0L);
Criteria criteria0 = new Criteria("", boolean0, long0, long0);
Long long1 = criteria0.getOffset();
assertEquals(0L, (long)long1);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
Boolean boolean0 = Boolean.valueOf("");
Long long0 = new Long(0L);
Criteria criteria0 = new Criteria("", boolean0, long0, long0);
Boolean boolean1 = criteria0.getAscending();
assertFalse(boolean1);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
Boolean boolean0 = Boolean.valueOf("");
Long long0 = new Long(0L);
Criteria criteria0 = new Criteria("", boolean0, long0, long0);
String string0 = criteria0.getOrderBy();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
Criteria criteria0 = new Criteria();
criteria0.setOrderBy("JTk{G\"");
assertFalse(criteria0.getAscending());
}
@Test(timeout = 4000)
public void test16() throws Throwable {
Boolean boolean0 = Boolean.valueOf("");
Long long0 = new Long(0L);
Criteria criteria0 = new Criteria("", boolean0, long0, long0);
Long long1 = criteria0.getLimit();
assertEquals(0L, (long)long1);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
Boolean boolean0 = Boolean.valueOf("");
Long long0 = new Long(0L);
Criteria criteria0 = new Criteria("", boolean0, long0, long0);
criteria0.addCriteria("", long0);
Object object0 = criteria0.getCriteria("");
assertEquals(0L, object0);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
Boolean boolean0 = Boolean.TRUE;
Criteria criteria0 = new Criteria("", boolean0, (Long) null, (Long) null);
Long long0 = new Long(0L);
criteria0.setOffset(long0);
assertEquals("", criteria0.getOrderBy());
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 16:27: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 Criteria_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Criteria";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp8kx_owev");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Criteria_ESTest_scaffolding.class.getClassLoader() ,
"Criteria"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Criteria_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Criteria"
);
}
}
| 151,124 |
P006
|
/**
* The sum of the squares of the first ten natural numbers is, 1^2 + 2^2 + ... + 10^2 = 385
*
* <p>The square of the sum of the first ten natural numbers is, (1 + 2 + ... + 10)2 = 552 = 3025
*
* <p>Hence the difference between the sum of the squares of the first ten natural numbers and the
* square of the sum is 3025 - 385 = 2640.
*
* <p>Find the difference between the sum of the squares of the first one hundred natural numbers
* and the square of the sum.
*
* @author Hai
*/
public class P006 {
public static void main(String[] args) {
int n = 100;
printAnswer(n);
}
public static void printAnswer(int n) {
// find difference
int answer = Math.abs(getSumOfSquaresOfNumbersTo(n) - getSquareOfSumOfNumbersTo(n));
System.out.println(answer);
}
/**
* Gets the square of the sum of the first n natural numbers starting from 1. e.g. if n = 10 then
* it will return * (1 + 2 + ... + 10)^2 = 552 = 3025
*
* @param n inclusive
* @return
*/
public static int getSquareOfSumOfNumbersTo(int n) {
int sum = 0;
for (int i = 1; i <= n; i++) {
sum += i;
}
return (int) Math.pow(sum, 2);
}
/**
* Gets sum of the squares of the first n natural numbers starting from 1. e.g. if n= 10 then it
* will return 1^2 + 2^2 + ... + 10^2 = 385
*
* @param n inclusive
* @return
*/
public static int getSumOfSquaresOfNumbersTo(int n) {
int sumOfSquares = 0;
for (int i = 1; i <= n; i++) {
sumOfSquares += Math.pow(i, 2);
}
return sumOfSquares;
}
}
|
.version 52 0
.class public super P006
.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 18
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 1 locals 2
L0: bipush 100
L2: istore_1
L3: iload_1
L4: invokestatic Method P006 printAnswer (I)V
L7: return
L8:
.linenumbertable
L0 21
L3 22
L7 23
.end linenumbertable
.end code
.end method
.method public static printAnswer : (I)V
.code stack 2 locals 2
L0: iload_0
L1: invokestatic Method P006 getSumOfSquaresOfNumbersTo (I)I
L4: iload_0
L5: invokestatic Method P006 getSquareOfSumOfNumbersTo (I)I
L8: isub
L9: invokestatic Method java/lang/Math abs (I)I
L12: istore_1
L13: getstatic Field java/lang/System out Ljava/io/PrintStream;
L16: iload_1
L17: invokevirtual Method java/io/PrintStream println (I)V
L20: return
L21:
.linenumbertable
L0 27
L13 29
L20 30
.end linenumbertable
.end code
.end method
.method public static getSquareOfSumOfNumbersTo : (I)I
.code stack 4 locals 3
L0: iconst_0
L1: istore_1
L2: iconst_1
L3: istore_2
.stack append Integer Integer
L4: iload_2
L5: iload_0
L6: if_icmpgt L19
L9: iload_1
L10: iload_2
L11: iadd
L12: istore_1
L13: iinc 2 1
L16: goto L4
.stack chop 1
L19: iload_1
L20: i2d
L21: ldc2_w +2.0
L24: invokestatic Method java/lang/Math pow (DD)D
L27: d2i
L28: ireturn
L29:
.linenumbertable
L0 40
L2 41
L9 42
L13 41
L19 44
.end linenumbertable
.end code
.end method
.method public static getSumOfSquaresOfNumbersTo : (I)I
.code stack 6 locals 3
L0: iconst_0
L1: istore_1
L2: iconst_1
L3: istore_2
.stack append Integer Integer
L4: iload_2
L5: iload_0
L6: if_icmpgt L28
L9: iload_1
L10: i2d
L11: iload_2
L12: i2d
L13: ldc2_w +2.0
L16: invokestatic Method java/lang/Math pow (DD)D
L19: dadd
L20: d2i
L21: istore_1
L22: iinc 2 1
L25: goto L4
.stack chop 1
L28: iload_1
L29: ireturn
L30:
.linenumbertable
L0 55
L2 57
L9 58
L22 57
L28 61
.end linenumbertable
.end code
.end method
.sourcefile 'P006.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 02:41:58 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class P006_ESTest extends P006_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
P006.printAnswer(0);
P006.getSquareOfSumOfNumbersTo(0);
P006.getSquareOfSumOfNumbersTo((-46378));
P006.getSquareOfSumOfNumbersTo(0);
P006.printAnswer((-48722));
P006 p006_0 = new P006();
String[] stringArray0 = new String[3];
stringArray0[0] = "i#qbh?2%=r'";
stringArray0[1] = "/189v~F(6";
stringArray0[2] = "2%OV qr";
P006.main(stringArray0);
P006.printAnswer(0);
P006.getSumOfSquaresOfNumbersTo(0);
int int0 = P006.getSquareOfSumOfNumbersTo(0);
assertEquals(0, int0);
P006.main((String[]) null);
P006.printAnswer((-11406));
int int1 = P006.getSumOfSquaresOfNumbersTo(1);
assertEquals(1, int1);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
String[] stringArray0 = new String[5];
stringArray0[0] = "";
stringArray0[1] = "r^`}Ko66";
stringArray0[2] = "";
stringArray0[3] = "";
stringArray0[4] = "^cpG?N;Funec6";
P006.main(stringArray0);
P006 p006_0 = new P006();
P006.printAnswer(0);
P006.main(stringArray0);
P006.printAnswer(0);
P006.printAnswer(0);
P006.getSquareOfSumOfNumbersTo(100);
P006.printAnswer(1);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
int int0 = 28068;
// Undeclared exception!
P006.getSumOfSquaresOfNumbersTo(28068);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
P006.getSquareOfSumOfNumbersTo(0);
P006.main((String[]) null);
P006.getSumOfSquaresOfNumbersTo(0);
P006.main((String[]) null);
P006.getSquareOfSumOfNumbersTo((-90782));
P006.printAnswer(6928);
P006.main((String[]) null);
P006 p006_0 = new P006();
P006.main((String[]) null);
P006.main((String[]) null);
P006.getSquareOfSumOfNumbersTo(0);
P006.getSumOfSquaresOfNumbersTo(0);
P006.main((String[]) null);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 02:41: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 P006_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "P006";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmps53uxh87");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(P006_ESTest_scaffolding.class.getClassLoader() ,
"P006"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(P006_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"P006"
);
}
}
| 151,125 |
Forecast
|
import java.util.ArrayList;
import java.util.HashMap;
import java.util.Map;
/** A prediction for future weather. */
public class Forecast {
private String longDescription;
private String description;
private String imageUrl;
private String temperatureLabel;
private String periodName;
// This value can sometimes be null, so you should set that to 0.
private Integer probabilityOfPrecipitation;
private String periodTime;
private Integer temperature;
/**
* @return A more-detailed, human-readable description of the predicted weather for this period.
*/
public String getLongDescription() {
return this.longDescription;
}
/**
* @param A more-detailed, human-readable description of the predicted weather for this period.
* @return String
*/
public void setLongDescription(String longDescription) {
this.longDescription = longDescription;
}
/**
* @return A human-readable description of the predicted weather for this period.
*/
public String getDescription() {
return this.description;
}
/**
* @param A human-readable description of the predicted weather for this period.
* @return String
*/
public void setDescription(String description) {
this.description = description;
}
/**
* @return A url pointing to a picture that describes the predicted weather for this period.
*/
public String getImageUrl() {
return this.imageUrl;
}
/**
* @param A url pointing to a picture that describes the predicted weather for this period.
* @return String
*/
public void setImageUrl(String imageUrl) {
this.imageUrl = imageUrl;
}
/**
* @return Either 'High' or 'Low', depending on whether or not the predicted temperature is a
* daily high or a daily low.
*/
public String getTemperatureLabel() {
return this.temperatureLabel;
}
/**
* @param Either 'High' or 'Low', depending on whether or not the predicted temperature is a daily
* high or a daily low.
* @return String
*/
public void setTemperatureLabel(String temperatureLabel) {
this.temperatureLabel = temperatureLabel;
}
/**
* @return A human-readable name for this time period (e.g. Tonight or Saturday).
*/
public String getPeriodName() {
return this.periodName;
}
/**
* @param A human-readable name for this time period (e.g. Tonight or Saturday).
* @return String
*/
public void setPeriodName(String periodName) {
this.periodName = periodName;
}
/**
* @return The probability of precipitation for this period (as a percentage).
*/
public Integer getProbabilityOfPrecipitation() {
return this.probabilityOfPrecipitation;
}
/**
* @param The probability of precipitation for this period (as a percentage).
* @return Integer
*/
public void setProbabilityOfPrecipitation(Integer probabilityOfPrecipitation) {
this.probabilityOfPrecipitation = probabilityOfPrecipitation;
}
/**
* @return A string representing the time that this period starts. Encoded as YYYY-MM-DDTHH:MM:SS,
* where the T is not a number, but a always present character (e.g. 2013-07-30T18:00:00).
*/
public String getPeriodTime() {
return this.periodTime;
}
/**
* @param A string representing the time that this period starts. Encoded as YYYY-MM-DDTHH:MM:SS,
* where the T is not a number, but a always present character (e.g. 2013-07-30T18:00:00).
* @return String
*/
public void setPeriodTime(String periodTime) {
this.periodTime = periodTime;
}
/**
* @return The predicted temperature for this period (in Fahrenheit).
*/
public Integer getTemperature() {
return this.temperature;
}
/**
* @param The predicted temperature for this period (in Fahrenheit).
* @return Integer
*/
public void setTemperature(Integer temperature) {
this.temperature = temperature;
}
/**
* Creates a string based representation of this Forecast.
*
* @return String
*/
public String toString() {
return "Forecast["
+ longDescription
+ ", "
+ description
+ ", "
+ imageUrl
+ ", "
+ temperatureLabel
+ ", "
+ periodName
+ ", "
+ probabilityOfPrecipitation
+ ", "
+ periodTime
+ ", "
+ temperature
+ "]";
}
/**
* Internal constructor to create a Forecast from a json representation.
*
* @param map The raw json data that will be parsed.
* @return
*/
@SuppressWarnings("unchecked")
public Forecast(Map<String, Object> raw) {
// TODO: Check that the data has the correct schema.
// NOTE: It's much safer to check the Map for fields than to catch a runtime exception.
try {
this.longDescription = ((Map<String, Object>) raw.get("data")).get("text").toString();
this.description = ((Map<String, Object>) raw.get("data")).get("weather").toString();
this.imageUrl = ((Map<String, Object>) raw.get("data")).get("iconLink").toString();
this.temperatureLabel = ((Map<String, Object>) raw.get("time")).get("tempLabel").toString();
this.periodName = ((Map<String, Object>) raw.get("time")).get("startPeriodName").toString();
this.probabilityOfPrecipitation =
Integer.parseInt(((Map<String, Object>) raw.get("data")).get("pop").toString());
this.periodTime = ((Map<String, Object>) raw.get("time")).get("startValidTime").toString();
this.temperature =
Integer.parseInt(((Map<String, Object>) raw.get("data")).get("temperature").toString());
} catch (NullPointerException e) {
System.err.println("Could not convert the response to a Forecast; a field was missing.");
e.printStackTrace();
} catch (ClassCastException e) {
System.err.println(
"Could not convert the response to a Forecast; a field had the wrong structure.");
e.printStackTrace();
}
}
public Forecast(
String periodName,
String periodTime,
String temperatureLabel,
int temperature,
int probabilityOfPrecipitation,
String description,
String imageUrl,
String longDescription) {
this.periodName = periodName;
this.periodTime = periodTime;
this.temperatureLabel = temperatureLabel;
this.temperature = temperature;
this.probabilityOfPrecipitation = probabilityOfPrecipitation;
this.description = description;
this.imageUrl = imageUrl;
this.longDescription = longDescription;
}
@SuppressWarnings("unchecked")
public static ArrayList<Forecast> parse(Map<String, Object> raw) {
HashMap<String, Object> rawTime = (HashMap<String, Object>) raw.get("time");
HashMap<String, Object> rawData = (HashMap<String, Object>) raw.get("data");
ArrayList<String> periodNames = ((ArrayList<String>) rawTime.get("startPeriodName"));
ArrayList<String> periodTimes = ((ArrayList<String>) rawTime.get("startValidTime"));
ArrayList<String> tempLabels = ((ArrayList<String>) rawTime.get("tempLabel"));
ArrayList<String> temperatures = ((ArrayList<String>) rawData.get("temperature"));
ArrayList<String> pops = ((ArrayList<String>) rawData.get("pop"));
for (int i = 0; i < pops.size(); i += 1) {
if (pops.get(i) == null) {
pops.set(i, "0");
}
}
ArrayList<String> weather = ((ArrayList<String>) rawData.get("weather"));
ArrayList<String> icons = ((ArrayList<String>) rawData.get("iconLink"));
ArrayList<String> text = ((ArrayList<String>) rawData.get("text"));
ArrayList<Forecast> forecasts = new ArrayList<Forecast>();
for (int i = 0; i < periodNames.size(); i += 1) {
forecasts.add(
new Forecast(
periodNames.get(i),
periodTimes.get(i),
tempLabels.get(i),
Integer.parseInt(temperatures.get(i)),
Integer.parseInt(pops.get(i)),
weather.get(i),
icons.get(i),
text.get(i)));
}
return forecasts;
}
}
|
.version 52 0
.class public super Forecast
.super java/lang/Object
.field private longDescription Ljava/lang/String;
.field private description Ljava/lang/String;
.field private imageUrl Ljava/lang/String;
.field private temperatureLabel Ljava/lang/String;
.field private periodName Ljava/lang/String;
.field private probabilityOfPrecipitation Ljava/lang/Integer;
.field private periodTime Ljava/lang/String;
.field private temperature Ljava/lang/Integer;
.method public getLongDescription : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Forecast longDescription Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 33
.end linenumbertable
.end code
.end method
.method public setLongDescription : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Forecast longDescription Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 41
L5 42
.end linenumbertable
.end code
.end method
.method public getDescription : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Forecast description Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 48
.end linenumbertable
.end code
.end method
.method public setDescription : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Forecast description Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 56
L5 57
.end linenumbertable
.end code
.end method
.method public getImageUrl : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Forecast imageUrl Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 63
.end linenumbertable
.end code
.end method
.method public setImageUrl : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Forecast imageUrl Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 71
L5 72
.end linenumbertable
.end code
.end method
.method public getTemperatureLabel : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Forecast temperatureLabel Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 78
.end linenumbertable
.end code
.end method
.method public setTemperatureLabel : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Forecast temperatureLabel Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 86
L5 87
.end linenumbertable
.end code
.end method
.method public getPeriodName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Forecast periodName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 93
.end linenumbertable
.end code
.end method
.method public setPeriodName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Forecast periodName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 101
L5 102
.end linenumbertable
.end code
.end method
.method public getProbabilityOfPrecipitation : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Forecast probabilityOfPrecipitation Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 108
.end linenumbertable
.end code
.end method
.method public setProbabilityOfPrecipitation : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Forecast probabilityOfPrecipitation Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 116
L5 117
.end linenumbertable
.end code
.end method
.method public getPeriodTime : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Forecast periodTime Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 123
.end linenumbertable
.end code
.end method
.method public setPeriodTime : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Forecast periodTime Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 131
L5 132
.end linenumbertable
.end code
.end method
.method public getTemperature : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Forecast temperature Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 138
.end linenumbertable
.end code
.end method
.method public setTemperature : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Forecast temperature Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 146
L5 147
.end linenumbertable
.end code
.end method
.method public toString : ()Ljava/lang/String;
.code stack 2 locals 1
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: ldc 'Forecast['
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field Forecast longDescription Ljava/lang/String;
L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L19: ldc ', '
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: aload_0
L25: getfield Field Forecast description Ljava/lang/String;
L28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L31: ldc ', '
L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L36: aload_0
L37: getfield Field Forecast imageUrl Ljava/lang/String;
L40: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L43: ldc ', '
L45: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L48: aload_0
L49: getfield Field Forecast temperatureLabel Ljava/lang/String;
L52: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L55: ldc ', '
L57: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L60: aload_0
L61: getfield Field Forecast periodName Ljava/lang/String;
L64: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L67: ldc ', '
L69: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L72: aload_0
L73: getfield Field Forecast probabilityOfPrecipitation Ljava/lang/Integer;
L76: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L79: ldc ', '
L81: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L84: aload_0
L85: getfield Field Forecast periodTime Ljava/lang/String;
L88: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L91: ldc ', '
L93: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L96: aload_0
L97: getfield Field Forecast temperature Ljava/lang/Integer;
L100: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L103: ldc ']'
L105: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L108: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L111: areturn
L112:
.linenumbertable
L0 156
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/util/Map;)V
.code stack 3 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
.catch java/lang/NullPointerException from L4 to L216 using L219
.catch java/lang/ClassCastException from L4 to L216 using L235
L4: aload_0
L5: aload_1
L6: ldc 'data'
L8: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2
L13: checkcast java/util/Map
L16: ldc 'text'
L18: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2
L23: invokevirtual Method java/lang/Object toString ()Ljava/lang/String;
L26: putfield Field Forecast longDescription Ljava/lang/String;
L29: aload_0
L30: aload_1
L31: ldc 'data'
L33: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2
L38: checkcast java/util/Map
L41: ldc 'weather'
L43: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2
L48: invokevirtual Method java/lang/Object toString ()Ljava/lang/String;
L51: putfield Field Forecast description Ljava/lang/String;
L54: aload_0
L55: aload_1
L56: ldc 'data'
L58: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2
L63: checkcast java/util/Map
L66: ldc 'iconLink'
L68: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2
L73: invokevirtual Method java/lang/Object toString ()Ljava/lang/String;
L76: putfield Field Forecast imageUrl Ljava/lang/String;
L79: aload_0
L80: aload_1
L81: ldc 'time'
L83: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2
L88: checkcast java/util/Map
L91: ldc 'tempLabel'
L93: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2
L98: invokevirtual Method java/lang/Object toString ()Ljava/lang/String;
L101: putfield Field Forecast temperatureLabel Ljava/lang/String;
L104: aload_0
L105: aload_1
L106: ldc 'time'
L108: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2
L113: checkcast java/util/Map
L116: ldc 'startPeriodName'
L118: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2
L123: invokevirtual Method java/lang/Object toString ()Ljava/lang/String;
L126: putfield Field Forecast periodName Ljava/lang/String;
L129: aload_0
L130: aload_1
L131: ldc 'data'
L133: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2
L138: checkcast java/util/Map
L141: ldc 'pop'
L143: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2
L148: invokevirtual Method java/lang/Object toString ()Ljava/lang/String;
L151: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I
L154: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L157: putfield Field Forecast probabilityOfPrecipitation Ljava/lang/Integer;
L160: aload_0
L161: aload_1
L162: ldc 'time'
L164: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2
L169: checkcast java/util/Map
L172: ldc 'startValidTime'
L174: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2
L179: invokevirtual Method java/lang/Object toString ()Ljava/lang/String;
L182: putfield Field Forecast periodTime Ljava/lang/String;
L185: aload_0
L186: aload_1
L187: ldc 'data'
L189: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2
L194: checkcast java/util/Map
L197: ldc 'temperature'
L199: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2
L204: invokevirtual Method java/lang/Object toString ()Ljava/lang/String;
L207: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I
L210: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L213: putfield Field Forecast temperature Ljava/lang/Integer;
L216: goto L248
.stack full
locals Object Forecast Object java/util/Map
stack Object java/lang/NullPointerException
.end stack
L219: astore_2
L220: getstatic Field java/lang/System err Ljava/io/PrintStream;
L223: ldc 'Could not convert the response to a Forecast; a field was missing.'
L225: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L228: aload_2
L229: invokevirtual Method java/lang/NullPointerException printStackTrace ()V
L232: goto L248
.stack stack_1 Object java/lang/ClassCastException
L235: astore_2
L236: getstatic Field java/lang/System err Ljava/io/PrintStream;
L239: ldc 'Could not convert the response to a Forecast; a field had the wrong structure.'
L241: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L244: aload_2
L245: invokevirtual Method java/lang/ClassCastException printStackTrace ()V
.stack same
L248: return
L249:
.linenumbertable
L0 165
L4 169
L29 170
L54 171
L79 172
L104 173
L129 174
L160 175
L185 176
L216 183
L219 177
L220 178
L228 179
L232 183
L235 180
L236 181
L244 182
L248 185
.end linenumbertable
.end code
.signature (Ljava/util/Map<Ljava/lang/String;Ljava/lang/Object;>;)V
.end method
.method public <init> : (Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;IILjava/lang/String;Ljava/lang/String;Ljava/lang/String;)V
.code stack 2 locals 9
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field Forecast periodName Ljava/lang/String;
L9: aload_0
L10: aload_2
L11: putfield Field Forecast periodTime Ljava/lang/String;
L14: aload_0
L15: aload_3
L16: putfield Field Forecast temperatureLabel Ljava/lang/String;
L19: aload_0
L20: iload 4
L22: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L25: putfield Field Forecast temperature Ljava/lang/Integer;
L28: aload_0
L29: iload 5
L31: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L34: putfield Field Forecast probabilityOfPrecipitation Ljava/lang/Integer;
L37: aload_0
L38: aload 6
L40: putfield Field Forecast description Ljava/lang/String;
L43: aload_0
L44: aload 7
L46: putfield Field Forecast imageUrl Ljava/lang/String;
L49: aload_0
L50: aload 8
L52: putfield Field Forecast longDescription Ljava/lang/String;
L55: return
L56:
.linenumbertable
L0 187
L4 188
L9 189
L14 190
L19 191
L28 192
L37 193
L43 194
L49 195
L55 196
.end linenumbertable
.end code
.end method
.method public static parse : (Ljava/util/Map;)Ljava/util/ArrayList;
.code stack 12 locals 13
L0: aload_0
L1: ldc 'time'
L3: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2
L8: checkcast java/util/HashMap
L11: astore_1
L12: aload_0
L13: ldc 'data'
L15: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2
L20: checkcast java/util/HashMap
L23: astore_2
L24: aload_1
L25: ldc 'startPeriodName'
L27: invokevirtual Method java/util/HashMap get (Ljava/lang/Object;)Ljava/lang/Object;
L30: checkcast java/util/ArrayList
L33: astore_3
L34: aload_1
L35: ldc 'startValidTime'
L37: invokevirtual Method java/util/HashMap get (Ljava/lang/Object;)Ljava/lang/Object;
L40: checkcast java/util/ArrayList
L43: astore 4
L45: aload_1
L46: ldc 'tempLabel'
L48: invokevirtual Method java/util/HashMap get (Ljava/lang/Object;)Ljava/lang/Object;
L51: checkcast java/util/ArrayList
L54: astore 5
L56: aload_2
L57: ldc 'temperature'
L59: invokevirtual Method java/util/HashMap get (Ljava/lang/Object;)Ljava/lang/Object;
L62: checkcast java/util/ArrayList
L65: astore 6
L67: aload_2
L68: ldc 'pop'
L70: invokevirtual Method java/util/HashMap get (Ljava/lang/Object;)Ljava/lang/Object;
L73: checkcast java/util/ArrayList
L76: astore 7
L78: iconst_0
L79: istore 8
.stack full
locals Object java/util/Map Object java/util/HashMap Object java/util/HashMap Object java/util/ArrayList Object java/util/ArrayList Object java/util/ArrayList Object java/util/ArrayList Object java/util/ArrayList Integer
stack
.end stack
L81: iload 8
L83: aload 7
L85: invokevirtual Method java/util/ArrayList size ()I
L88: if_icmpge L117
L91: aload 7
L93: iload 8
L95: invokevirtual Method java/util/ArrayList get (I)Ljava/lang/Object;
L98: ifnonnull L111
L101: aload 7
L103: iload 8
L105: ldc '0'
L107: invokevirtual Method java/util/ArrayList set (ILjava/lang/Object;)Ljava/lang/Object;
L110: pop
.stack same
L111: iinc 8 1
L114: goto L81
.stack chop 1
L117: aload_2
L118: ldc 'weather'
L120: invokevirtual Method java/util/HashMap get (Ljava/lang/Object;)Ljava/lang/Object;
L123: checkcast java/util/ArrayList
L126: astore 8
L128: aload_2
L129: ldc 'iconLink'
L131: invokevirtual Method java/util/HashMap get (Ljava/lang/Object;)Ljava/lang/Object;
L134: checkcast java/util/ArrayList
L137: astore 9
L139: aload_2
L140: ldc 'text'
L142: invokevirtual Method java/util/HashMap get (Ljava/lang/Object;)Ljava/lang/Object;
L145: checkcast java/util/ArrayList
L148: astore 10
L150: new java/util/ArrayList
L153: dup
L154: invokespecial Method java/util/ArrayList <init> ()V
L157: astore 11
L159: iconst_0
L160: istore 12
.stack full
locals Object java/util/Map Object java/util/HashMap Object java/util/HashMap Object java/util/ArrayList Object java/util/ArrayList Object java/util/ArrayList Object java/util/ArrayList Object java/util/ArrayList Object java/util/ArrayList Object java/util/ArrayList Object java/util/ArrayList Object java/util/ArrayList Integer
stack
.end stack
L162: iload 12
L164: aload_3
L165: invokevirtual Method java/util/ArrayList size ()I
L168: if_icmpge L275
L171: aload 11
L173: new Forecast
L176: dup
L177: aload_3
L178: iload 12
L180: invokevirtual Method java/util/ArrayList get (I)Ljava/lang/Object;
L183: checkcast java/lang/String
L186: aload 4
L188: iload 12
L190: invokevirtual Method java/util/ArrayList get (I)Ljava/lang/Object;
L193: checkcast java/lang/String
L196: aload 5
L198: iload 12
L200: invokevirtual Method java/util/ArrayList get (I)Ljava/lang/Object;
L203: checkcast java/lang/String
L206: aload 6
L208: iload 12
L210: invokevirtual Method java/util/ArrayList get (I)Ljava/lang/Object;
L213: checkcast java/lang/String
L216: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I
L219: aload 7
L221: iload 12
L223: invokevirtual Method java/util/ArrayList get (I)Ljava/lang/Object;
L226: checkcast java/lang/String
L229: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I
L232: aload 8
L234: iload 12
L236: invokevirtual Method java/util/ArrayList get (I)Ljava/lang/Object;
L239: checkcast java/lang/String
L242: aload 9
L244: iload 12
L246: invokevirtual Method java/util/ArrayList get (I)Ljava/lang/Object;
L249: checkcast java/lang/String
L252: aload 10
L254: iload 12
L256: invokevirtual Method java/util/ArrayList get (I)Ljava/lang/Object;
L259: checkcast java/lang/String
L262: invokespecial Method Forecast <init> (Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;IILjava/lang/String;Ljava/lang/String;Ljava/lang/String;)V
L265: invokevirtual Method java/util/ArrayList add (Ljava/lang/Object;)Z
L268: pop
L269: iinc 12 1
L272: goto L162
.stack chop 1
L275: aload 11
L277: areturn
L278:
.linenumbertable
L0 200
L12 201
L24 203
L34 204
L45 205
L56 206
L67 207
L78 208
L91 209
L101 210
L111 208
L117 213
L128 214
L139 215
L150 217
L159 218
L171 219
L210 220
L265 219
L269 218
L275 222
.end linenumbertable
.end code
.signature (Ljava/util/Map<Ljava/lang/String;Ljava/lang/Object;>;)Ljava/util/ArrayList<LForecast;>;
.end method
.sourcefile 'Forecast.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 12:30:28 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.util.ArrayList;
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 Forecast_ESTest extends Forecast_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
HashMap<String, Object> hashMap0 = new HashMap<String, Object>();
ArrayList<Object> arrayList0 = new ArrayList<Object>();
hashMap0.put("data", arrayList0);
// Undeclared exception!
try {
Forecast.parse(hashMap0);
fail("Expecting exception: ClassCastException");
} catch(ClassCastException e) {
//
// java.util.ArrayList cannot be cast to java.util.HashMap
//
verifyException("Forecast", e);
}
}
@Test(timeout = 4000)
public void test01() throws Throwable {
HashMap<String, Object> hashMap0 = new HashMap<String, Object>();
// Undeclared exception!
try {
Forecast.parse(hashMap0);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("Forecast", e);
}
}
@Test(timeout = 4000)
public void test02() throws Throwable {
HashMap<String, Object> hashMap0 = new HashMap<String, Object>();
ArrayList<Object> arrayList0 = new ArrayList<Object>();
hashMap0.put("data", arrayList0);
Forecast forecast0 = new Forecast(hashMap0);
assertNull(forecast0.getImageUrl());
}
@Test(timeout = 4000)
public void test03() throws Throwable {
HashMap<String, Object> hashMap0 = new HashMap<String, Object>();
Forecast forecast0 = new Forecast(hashMap0);
forecast0.setTemperatureLabel("Ef+");
String string0 = forecast0.getTemperatureLabel();
assertEquals("Ef+", string0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
Forecast forecast0 = new Forecast("", "", "", 44803, 0, "", "", ", ");
forecast0.getTemperatureLabel();
assertEquals(0, (int)forecast0.getProbabilityOfPrecipitation());
assertEquals(44803, (int)forecast0.getTemperature());
}
@Test(timeout = 4000)
public void test05() throws Throwable {
HashMap<String, Object> hashMap0 = new HashMap<String, Object>();
Forecast forecast0 = new Forecast(hashMap0);
Integer integer0 = forecast0.getTemperature();
assertNull(integer0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
Forecast forecast0 = new Forecast("uCWrk:*c>SN0\";Mmv", "uCWrk:*c>SN0\";Mmv", "!Hu@(p", 11851, (-12880), "uCWrk:*c>SN0\";Mmv", "uCWrk:*c>SN0\";Mmv", "");
Integer integer0 = forecast0.getTemperature();
assertEquals(11851, (int)integer0);
assertEquals((-12880), (int)forecast0.getProbabilityOfPrecipitation());
}
@Test(timeout = 4000)
public void test07() throws Throwable {
Forecast forecast0 = new Forecast("", "", "", (-1), 28305, "['", "", "");
Integer integer0 = forecast0.getTemperature();
assertEquals((-1), (int)integer0);
assertEquals(28305, (int)forecast0.getProbabilityOfPrecipitation());
}
@Test(timeout = 4000)
public void test08() throws Throwable {
HashMap<String, Object> hashMap0 = new HashMap<String, Object>();
Forecast forecast0 = new Forecast(hashMap0);
Integer integer0 = forecast0.getProbabilityOfPrecipitation();
assertNull(integer0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
Forecast forecast0 = new Forecast("", "", "", 44803, 0, "", "", ", ");
Integer integer0 = forecast0.getProbabilityOfPrecipitation();
assertEquals(44803, (int)forecast0.getTemperature());
assertEquals(0, (int)integer0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
Forecast forecast0 = new Forecast("F7\bTX", "]PJ/&~|P>", "", 23875, 32469, "", "=fYTR!(Oe:&B-hu5E", (String) null);
Integer integer0 = forecast0.getProbabilityOfPrecipitation();
assertEquals(23875, (int)forecast0.getTemperature());
assertEquals(32469, (int)integer0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
HashMap<String, Object> hashMap0 = new HashMap<String, Object>();
Forecast forecast0 = new Forecast(hashMap0);
String string0 = forecast0.getPeriodTime();
assertNull(string0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
Forecast forecast0 = new Forecast("", "", "time", 22981, 44783, "time", "", "time");
forecast0.getPeriodTime();
assertEquals(44783, (int)forecast0.getProbabilityOfPrecipitation());
assertEquals(22981, (int)forecast0.getTemperature());
}
@Test(timeout = 4000)
public void test13() throws Throwable {
Forecast forecast0 = new Forecast((Map<String, Object>) null);
String string0 = forecast0.getPeriodName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
Forecast forecast0 = new Forecast("Jv+'d^>iPh_8", "Jv+'d^>iPh_8", "Jv+'d^>iPh_8", (-34983), (-34983), "Jv+'d^>iPh_8", "Jv+'d^>iPh_8", "Jv+'d^>iPh_8");
forecast0.getPeriodName();
assertEquals((-34983), (int)forecast0.getTemperature());
assertEquals((-34983), (int)forecast0.getProbabilityOfPrecipitation());
}
@Test(timeout = 4000)
public void test15() throws Throwable {
Forecast forecast0 = new Forecast("J6g}UVYbE", "J6g}UVYbE", "J6g}UVYbE", (-7506), (-7506), "J6g}UVYbE", "J6g}UVYbE", (String) null);
forecast0.getLongDescription();
assertEquals((-7506), (int)forecast0.getProbabilityOfPrecipitation());
assertEquals((-7506), (int)forecast0.getTemperature());
}
@Test(timeout = 4000)
public void test16() throws Throwable {
Forecast forecast0 = new Forecast("", "", "", (-1), 28305, "['", "", "");
forecast0.getLongDescription();
assertEquals(28305, (int)forecast0.getProbabilityOfPrecipitation());
assertEquals((-1), (int)forecast0.getTemperature());
}
@Test(timeout = 4000)
public void test17() throws Throwable {
HashMap<String, Object> hashMap0 = new HashMap<String, Object>();
Forecast forecast0 = new Forecast(hashMap0);
String string0 = forecast0.getImageUrl();
assertNull(string0);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
Forecast forecast0 = new Forecast((String) null, (String) null, "Q~y", 0, 1, "", "", (String) null);
forecast0.getImageUrl();
assertEquals(0, (int)forecast0.getTemperature());
assertEquals(1, (int)forecast0.getProbabilityOfPrecipitation());
}
@Test(timeout = 4000)
public void test19() throws Throwable {
Forecast forecast0 = new Forecast("", "", "time", 22981, 44783, "time", "", "time");
forecast0.getDescription();
assertEquals(44783, (int)forecast0.getProbabilityOfPrecipitation());
assertEquals(22981, (int)forecast0.getTemperature());
}
@Test(timeout = 4000)
public void test20() throws Throwable {
Forecast forecast0 = new Forecast("F7\bTX", "]PJ/&~|P>", "", 23875, 32469, "", "=fYTR!(Oe:&B-hu5E", (String) null);
forecast0.getDescription();
assertEquals(23875, (int)forecast0.getTemperature());
assertEquals(32469, (int)forecast0.getProbabilityOfPrecipitation());
}
@Test(timeout = 4000)
public void test21() throws Throwable {
Forecast forecast0 = new Forecast("F7\bTX", "]PJ/&~|P>", "", 23875, 32469, "", "=fYTR!(Oe:&B-hu5E", (String) null);
forecast0.getImageUrl();
assertEquals(32469, (int)forecast0.getProbabilityOfPrecipitation());
assertEquals(23875, (int)forecast0.getTemperature());
}
@Test(timeout = 4000)
public void test22() throws Throwable {
Forecast forecast0 = new Forecast("XX", "XX", "XX", (-9649), (-9649), "XX", "", "weather");
Integer integer0 = forecast0.getProbabilityOfPrecipitation();
assertEquals((-9649), (int)forecast0.getTemperature());
assertEquals((-9649), (int)integer0);
}
@Test(timeout = 4000)
public void test23() throws Throwable {
Forecast forecast0 = new Forecast("", "Pi><biVG5?|x2_2", (String) null, 36797, (-82923), "Pi><biVG5?|x2_2", "Pi><biVG5?|x2_2", "");
forecast0.getTemperatureLabel();
assertEquals(36797, (int)forecast0.getTemperature());
assertEquals((-82923), (int)forecast0.getProbabilityOfPrecipitation());
}
@Test(timeout = 4000)
public void test24() throws Throwable {
HashMap<String, Object> hashMap0 = new HashMap<String, Object>();
Forecast forecast0 = new Forecast(hashMap0);
forecast0.setPeriodTime("/@er\"5Aw:<9tZ$}/l");
assertEquals("/@er\"5Aw:<9tZ$}/l", forecast0.getPeriodTime());
}
@Test(timeout = 4000)
public void test25() throws Throwable {
HashMap<String, Object> hashMap0 = new HashMap<String, Object>();
Forecast forecast0 = new Forecast(hashMap0);
String string0 = forecast0.getDescription();
assertNull(string0);
}
@Test(timeout = 4000)
public void test26() throws Throwable {
HashMap<String, Object> hashMap0 = new HashMap<String, Object>();
Forecast forecast0 = new Forecast(hashMap0);
forecast0.setImageUrl("/@er\"5Aw:<9tZ$}/l");
assertNull(forecast0.getProbabilityOfPrecipitation());
}
@Test(timeout = 4000)
public void test27() throws Throwable {
Forecast forecast0 = new Forecast("", ", ", "tempLabel", (-76796), (-76796), "z|lD[%P;", "E>_%'aqAg", (String) null);
forecast0.getPeriodName();
assertEquals((-76796), (int)forecast0.getProbabilityOfPrecipitation());
assertEquals((-76796), (int)forecast0.getTemperature());
}
@Test(timeout = 4000)
public void test28() throws Throwable {
Forecast forecast0 = new Forecast("} }U'q[5(AYBA", "", "", 0, 0, "Could not convert the response to a Forecast; a field had the wrong structure.", "Could not convert the response to a Forecast; a field had the wrong structure.", "Could not convert the response to a Forecast; a field had the wrong structure.");
assertEquals(0, (int)forecast0.getProbabilityOfPrecipitation());
Integer integer0 = new Integer(1);
forecast0.setProbabilityOfPrecipitation(integer0);
assertEquals(0, (int)forecast0.getTemperature());
}
@Test(timeout = 4000)
public void test29() throws Throwable {
Forecast forecast0 = new Forecast("XX", "XX", "XX", (-9649), (-9649), "XX", "", "weather");
forecast0.setDescription((String) null);
assertEquals((-9649), (int)forecast0.getProbabilityOfPrecipitation());
assertEquals((-9649), (int)forecast0.getTemperature());
}
@Test(timeout = 4000)
public void test30() throws Throwable {
Forecast forecast0 = new Forecast("XX", "XX", "XX", (-9649), (-9649), "XX", "", "weather");
forecast0.getLongDescription();
assertEquals((-9649), (int)forecast0.getTemperature());
assertEquals((-9649), (int)forecast0.getProbabilityOfPrecipitation());
}
@Test(timeout = 4000)
public void test31() throws Throwable {
Forecast forecast0 = new Forecast("XX", "XX", "XX", (-9649), (-9649), "XX", "", "weather");
forecast0.setPeriodName("weather");
assertEquals((-9649), (int)forecast0.getTemperature());
assertEquals((-9649), (int)forecast0.getProbabilityOfPrecipitation());
}
@Test(timeout = 4000)
public void test32() throws Throwable {
Forecast forecast0 = new Forecast("} }U'q[5(AYBA", "", "", 0, 0, "Could not convert the response to a Forecast; a field had the wrong structure.", "Could not convert the response to a Forecast; a field had the wrong structure.", "Could not convert the response to a Forecast; a field had the wrong structure.");
Integer integer0 = forecast0.getTemperature();
assertEquals(0, (int)forecast0.getProbabilityOfPrecipitation());
assertEquals(0, (int)integer0);
}
@Test(timeout = 4000)
public void test33() throws Throwable {
HashMap<String, Object> hashMap0 = new HashMap<String, Object>();
Forecast forecast0 = new Forecast(hashMap0);
forecast0.setTemperature((Integer) null);
assertNull(forecast0.getProbabilityOfPrecipitation());
}
@Test(timeout = 4000)
public void test34() throws Throwable {
Forecast forecast0 = new Forecast("} }U'q[5(AYBA", "", "", 0, 0, "Could not convert the response to a Forecast; a field had the wrong structure.", "Could not convert the response to a Forecast; a field had the wrong structure.", "Could not convert the response to a Forecast; a field had the wrong structure.");
forecast0.setLongDescription("");
assertEquals(0, (int)forecast0.getProbabilityOfPrecipitation());
assertEquals(0, (int)forecast0.getTemperature());
}
@Test(timeout = 4000)
public void test35() throws Throwable {
Forecast forecast0 = new Forecast("XX", "XX", "XX", (-9649), (-9649), "XX", "", "weather");
forecast0.getPeriodTime();
assertEquals((-9649), (int)forecast0.getProbabilityOfPrecipitation());
assertEquals((-9649), (int)forecast0.getTemperature());
}
@Test(timeout = 4000)
public void test36() throws Throwable {
Forecast forecast0 = new Forecast("", "Pi><biVG5?|x2_2", (String) null, 36797, (-82923), "Pi><biVG5?|x2_2", "Pi><biVG5?|x2_2", "");
String string0 = forecast0.toString();
assertEquals("Forecast[, Pi><biVG5?|x2_2, Pi><biVG5?|x2_2, null, , -82923, Pi><biVG5?|x2_2, 36797]", string0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 12:30: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 Forecast_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Forecast";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp20dn4z6s");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Forecast_ESTest_scaffolding.class.getClassLoader() ,
"Forecast"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Forecast_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Forecast"
);
}
}
| 151,126 |
CalculationUtil
|
/*
* Copyright (c) 2013 Christoph Brill
*
* Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to deal
* in the Software without restriction, including without limitation the rights
* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
* copies of the Software, and to permit persons to whom the Software is
* furnished to do so, subject to the following conditions:
*
* The above copyright notice and this permission notice shall be included in
* all copies or substantial portions of the Software.
*
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
* THE SOFTWARE.
*/
import java.util.regex.Matcher;
import java.util.regex.Pattern;
public class CalculationUtil {
public static Pattern VALUE_PATTERN = Pattern.compile("([\\d\\.-]+)(\\w*)");
public static double parse(String value) {
Matcher matcher = VALUE_PATTERN.matcher(value);
if (!matcher.matches()) {
throw new RuntimeException("Size specification " + value + " not understood");
}
if (matcher.groupCount() != 2) {
throw new RuntimeException("Size specification " + value + " not parseable");
}
return convert(Double.parseDouble(matcher.group(1)), matcher.group(2));
}
private static double convert(double value, String unit) {
if ("mm".equals(unit)) {
return value;
}
if ("pt".equals(unit)) {
return pt2mm(value);
}
if ("in".equals(unit)) {
return in2mm(value);
}
if ("px".equals(unit)) {
return px2mm(value);
}
throw new RuntimeException("Unit specification " + unit + " not understood");
}
public static double mm2px(double mm) {
return mm * 3.78038;
}
public static double px2mm(double px) {
return px / 3.78038;
}
public static double pt2mm(double pt) {
return pt * 0.3527;
}
public static double pt2px(double pt) {
return pt / 0.75;
}
public static double px2pt(double px) {
return px * 0.75;
}
public static double pt2em(double pt) {
return pt / 12;
}
public static double em2pt(double em) {
return em * 12;
}
public static double in2mm(double in) {
return in * 25.4;
}
}
|
.version 52 0
.class public super CalculationUtil
.super java/lang/Object
.field public static VALUE_PATTERN Ljava/util/regex/Pattern;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 27
.end linenumbertable
.end code
.end method
.method public static parse : (Ljava/lang/String;)D
.code stack 4 locals 2
L0: getstatic Field CalculationUtil VALUE_PATTERN Ljava/util/regex/Pattern;
L3: aload_0
L4: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher;
L7: astore_1
L8: aload_1
L9: invokevirtual Method java/util/regex/Matcher matches ()Z
L12: ifne L47
L15: new java/lang/RuntimeException
L18: dup
L19: new java/lang/StringBuilder
L22: dup
L23: invokespecial Method java/lang/StringBuilder <init> ()V
L26: ldc 'Size specification '
L28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L31: aload_0
L32: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L35: ldc ' not understood'
L37: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L40: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L43: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V
L46: athrow
.stack append Object java/util/regex/Matcher
L47: aload_1
L48: invokevirtual Method java/util/regex/Matcher groupCount ()I
L51: iconst_2
L52: if_icmpeq L87
L55: new java/lang/RuntimeException
L58: dup
L59: new java/lang/StringBuilder
L62: dup
L63: invokespecial Method java/lang/StringBuilder <init> ()V
L66: ldc 'Size specification '
L68: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L71: aload_0
L72: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L75: ldc ' not parseable'
L77: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L80: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L83: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V
L86: athrow
.stack same
L87: aload_1
L88: iconst_1
L89: invokevirtual Method java/util/regex/Matcher group (I)Ljava/lang/String;
L92: invokestatic Method java/lang/Double parseDouble (Ljava/lang/String;)D
L95: aload_1
L96: iconst_2
L97: invokevirtual Method java/util/regex/Matcher group (I)Ljava/lang/String;
L100: invokestatic Method CalculationUtil convert (DLjava/lang/String;)D
L103: dreturn
L104:
.linenumbertable
L0 33
L8 34
L15 35
L47 39
L55 40
L87 44
.end linenumbertable
.end code
.end method
.method private static convert : (DLjava/lang/String;)D
.code stack 4 locals 3
L0: ldc 'mm'
L2: aload_2
L3: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L6: ifeq L11
L9: dload_0
L10: dreturn
.stack same
L11: ldc 'pt'
L13: aload_2
L14: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L17: ifeq L25
L20: dload_0
L21: invokestatic Method CalculationUtil pt2mm (D)D
L24: dreturn
.stack same
L25: ldc 'in'
L27: aload_2
L28: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L31: ifeq L39
L34: dload_0
L35: invokestatic Method CalculationUtil in2mm (D)D
L38: dreturn
.stack same
L39: ldc 'px'
L41: aload_2
L42: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L45: ifeq L53
L48: dload_0
L49: invokestatic Method CalculationUtil px2mm (D)D
L52: dreturn
.stack same
L53: new java/lang/RuntimeException
L56: dup
L57: new java/lang/StringBuilder
L60: dup
L61: invokespecial Method java/lang/StringBuilder <init> ()V
L64: ldc 'Unit specification '
L66: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L69: aload_2
L70: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L73: ldc ' not understood'
L75: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L78: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L81: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V
L84: athrow
L85:
.linenumbertable
L0 48
L9 49
L11 51
L20 52
L25 54
L34 55
L39 57
L48 58
L53 60
.end linenumbertable
.end code
.end method
.method public static mm2px : (D)D
.code stack 4 locals 2
L0: dload_0
L1: ldc2_w +3.78038
L4: dmul
L5: dreturn
L6:
.linenumbertable
L0 65
.end linenumbertable
.end code
.end method
.method public static px2mm : (D)D
.code stack 4 locals 2
L0: dload_0
L1: ldc2_w +3.78038
L4: ddiv
L5: dreturn
L6:
.linenumbertable
L0 69
.end linenumbertable
.end code
.end method
.method public static pt2mm : (D)D
.code stack 4 locals 2
L0: dload_0
L1: ldc2_w +0.3527
L4: dmul
L5: dreturn
L6:
.linenumbertable
L0 73
.end linenumbertable
.end code
.end method
.method public static pt2px : (D)D
.code stack 4 locals 2
L0: dload_0
L1: ldc2_w +0.75
L4: ddiv
L5: dreturn
L6:
.linenumbertable
L0 77
.end linenumbertable
.end code
.end method
.method public static px2pt : (D)D
.code stack 4 locals 2
L0: dload_0
L1: ldc2_w +0.75
L4: dmul
L5: dreturn
L6:
.linenumbertable
L0 81
.end linenumbertable
.end code
.end method
.method public static pt2em : (D)D
.code stack 4 locals 2
L0: dload_0
L1: ldc2_w +12.0
L4: ddiv
L5: dreturn
L6:
.linenumbertable
L0 85
.end linenumbertable
.end code
.end method
.method public static em2pt : (D)D
.code stack 4 locals 2
L0: dload_0
L1: ldc2_w +12.0
L4: dmul
L5: dreturn
L6:
.linenumbertable
L0 89
.end linenumbertable
.end code
.end method
.method public static in2mm : (D)D
.code stack 4 locals 2
L0: dload_0
L1: ldc2_w +25.4
L4: dmul
L5: dreturn
L6:
.linenumbertable
L0 93
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 1 locals 0
L0: ldc '([\\d\\.-]+)(\\w*)'
L2: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;)Ljava/util/regex/Pattern;
L5: putstatic Field CalculationUtil VALUE_PATTERN Ljava/util/regex/Pattern;
L8: return
L9:
.linenumbertable
L0 29
L2 30
L8 29
.end linenumbertable
.end code
.end method
.sourcefile 'CalculationUtil.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 06:58:38 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.util.regex.Pattern;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class CalculationUtil_ESTest extends CalculationUtil_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
double double0 = CalculationUtil.px2pt(0.0);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
double double0 = CalculationUtil.px2pt((-30206.532134040535));
assertEquals((-22654.8991005304), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
double double0 = CalculationUtil.px2mm(139869.35774197537);
assertEquals(36998.75614143958, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
double double0 = CalculationUtil.px2mm((-1.8906201474038295E7));
assertEquals((-5001137.841708584), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
double double0 = CalculationUtil.pt2px(0.0);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
double double0 = CalculationUtil.pt2px(63120.424021274);
assertEquals(84160.56536169867, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
double double0 = CalculationUtil.pt2mm(0.0);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
double double0 = CalculationUtil.pt2mm((-744338.6407101692));
assertEquals((-262528.2385784767), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
double double0 = CalculationUtil.pt2em(0.0);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
double double0 = CalculationUtil.pt2em((-22207.4));
assertEquals((-1850.6166666666668), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
double double0 = CalculationUtil.mm2px(0.0);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
double double0 = CalculationUtil.mm2px(36998.75614143958);
assertEquals(139869.35774197537, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
double double0 = CalculationUtil.in2mm(0.0);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
double double0 = CalculationUtil.in2mm(25.4);
assertEquals(645.16, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
double double0 = CalculationUtil.em2pt(0.0);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
double double0 = CalculationUtil.em2pt(1.0);
assertEquals(12.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
// Undeclared exception!
try {
CalculationUtil.parse("");
fail("Expecting exception: RuntimeException");
} catch(RuntimeException e) {
//
// Size specification not understood
//
verifyException("CalculationUtil", e);
}
}
@Test(timeout = 4000)
public void test17() throws Throwable {
double double0 = CalculationUtil.pt2px((-73250.7976966));
assertEquals((-97667.73026213334), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
double double0 = CalculationUtil.pt2em(3.78038);
assertEquals(0.31503166666666665, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test19() throws Throwable {
double double0 = CalculationUtil.px2mm(0.0);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test20() throws Throwable {
double double0 = CalculationUtil.pt2mm(1.0);
assertEquals(0.3527, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test21() throws Throwable {
CalculationUtil calculationUtil0 = new CalculationUtil();
CalculationUtil.VALUE_PATTERN = calculationUtil0.VALUE_PATTERN;
Pattern pattern0 = Pattern.compile("", 1);
CalculationUtil.VALUE_PATTERN = pattern0;
// Undeclared exception!
try {
CalculationUtil.parse("");
fail("Expecting exception: RuntimeException");
} catch(RuntimeException e) {
//
// Size specification not parseable
//
verifyException("CalculationUtil", e);
}
}
@Test(timeout = 4000)
public void test22() throws Throwable {
double double0 = CalculationUtil.in2mm((-1.0));
assertEquals((-25.4), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test23() throws Throwable {
double double0 = CalculationUtil.px2pt(3.78038);
assertEquals(2.835285, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test24() throws Throwable {
double double0 = CalculationUtil.em2pt((-22207.4));
assertEquals((-266488.80000000005), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test25() throws Throwable {
double double0 = CalculationUtil.mm2px((-19376.57));
assertEquals((-73250.7976966), double0, 1.0E-4);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 06:58: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 CalculationUtil_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "CalculationUtil";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpglljpq2s");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CalculationUtil_ESTest_scaffolding.class.getClassLoader() ,
"CalculationUtil"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CalculationUtil_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"CalculationUtil"
);
}
}
| 151,127 |
Food
|
import java.util.Date;
/**
* Abstract class Food
*
* @author dsagai
* @version 1.01
* @since 12.01.2017
*/
public abstract class Food {
// Brand or name
private final String name;
// Date of creation
private final Date createDate;
// Final date when food unqualified
private final Date expireDate;
// base price for one item
private final double price;
private final int minTemp;
private final int maxTemp;
// discount
private double discount;
/**
* Default constructor.
*
* @param name String.
* @param createDate Date.
* @param expireDate Date.
* @param price double.
* @param minTemp int.
* @param maxTemp int.
*/
public Food(
String name, Date createDate, Date expireDate, double price, int minTemp, int maxTemp) {
this.name = name;
this.createDate = createDate;
this.expireDate = expireDate;
this.price = price;
this.discount = 0d;
this.minTemp = minTemp;
this.maxTemp = maxTemp;
}
/**
* getter name.
*
* @return String product name
*/
public String getName() {
return name;
}
/**
* getter createDate.
*
* @return Date createDate.
*/
public Date getCreateDate() {
return createDate;
}
/**
* gettet expireDate.
*
* @return Date expireDate.
*/
public Date getExpireDate() {
return expireDate;
}
/**
* getter price.
*
* @return double price.
*/
public double getPrice() {
return price;
}
/**
* getter discount.
*
* @return double discount.
*/
public double getDiscount() {
return discount;
}
/**
* setter discount.
*
* @param discount double.
*/
public void setDiscount(double discount) {
this.discount = discount;
}
/**
* method returns product expiration progress.
*
* @param curDate Date.
* @return double.
*/
public double getExpireProgress(Date curDate) {
long fullPeriod = this.expireDate.getTime() - this.createDate.getTime();
long timeLeft = curDate.getTime() - this.createDate.getTime();
return (double) timeLeft / fullPeriod;
}
@Override
public boolean equals(Object o) {
if (this == o) return true;
if (o == null || getClass() != o.getClass()) return false;
Food food = (Food) o;
if (!name.equals(food.name)) return false;
return createDate.equals(food.createDate);
}
@Override
public int hashCode() {
int result = name.hashCode();
result = 31 * result + createDate.hashCode();
return result;
}
@Override
public String toString() {
return "Food{" + "name='" + name + '\'' + ", createDate=" + createDate + '}';
}
/**
* getter minTemp.
*
* @return int degree.
*/
public int getMinTemp() {
return minTemp;
}
/**
* getter maxTemp.
*
* @return int degree.
*/
public int getMaxTemp() {
return maxTemp;
}
/**
* @param temp int.
* @return true if temperature is appropriate for storing food item
*/
public boolean isAppropriateTemperature(int temp) {
return temp >= this.minTemp && temp <= this.maxTemp;
}
}
|
.version 52 0
.class public super abstract Food
.super java/lang/Object
.field private final name Ljava/lang/String;
.field private final createDate Ljava/util/Date;
.field private final expireDate Ljava/util/Date;
.field private final price D
.field private final minTemp I
.field private final maxTemp I
.field private discount D
.method public <init> : (Ljava/lang/String;Ljava/util/Date;Ljava/util/Date;DII)V
.code stack 3 locals 8
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field Food name Ljava/lang/String;
L9: aload_0
L10: aload_2
L11: putfield Field Food createDate Ljava/util/Date;
L14: aload_0
L15: aload_3
L16: putfield Field Food expireDate Ljava/util/Date;
L19: aload_0
L20: dload 4
L22: putfield Field Food price D
L25: aload_0
L26: dconst_0
L27: putfield Field Food discount D
L30: aload_0
L31: iload 6
L33: putfield Field Food minTemp I
L36: aload_0
L37: iload 7
L39: putfield Field Food maxTemp I
L42: return
L43:
.linenumbertable
L0 38
L4 39
L9 40
L14 41
L19 42
L25 43
L30 44
L36 45
L42 46
.end linenumbertable
.end code
.end method
.method public getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Food name Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 54
.end linenumbertable
.end code
.end method
.method public getCreateDate : ()Ljava/util/Date;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Food createDate Ljava/util/Date;
L4: areturn
L5:
.linenumbertable
L0 62
.end linenumbertable
.end code
.end method
.method public getExpireDate : ()Ljava/util/Date;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Food expireDate Ljava/util/Date;
L4: areturn
L5:
.linenumbertable
L0 70
.end linenumbertable
.end code
.end method
.method public getPrice : ()D
.code stack 2 locals 1
L0: aload_0
L1: getfield Field Food price D
L4: dreturn
L5:
.linenumbertable
L0 78
.end linenumbertable
.end code
.end method
.method public getDiscount : ()D
.code stack 2 locals 1
L0: aload_0
L1: getfield Field Food discount D
L4: dreturn
L5:
.linenumbertable
L0 86
.end linenumbertable
.end code
.end method
.method public setDiscount : (D)V
.code stack 3 locals 3
L0: aload_0
L1: dload_1
L2: putfield Field Food discount D
L5: return
L6:
.linenumbertable
L0 94
L5 95
.end linenumbertable
.end code
.end method
.method public getExpireProgress : (Ljava/util/Date;)D
.code stack 4 locals 6
L0: aload_0
L1: getfield Field Food expireDate Ljava/util/Date;
L4: invokevirtual Method java/util/Date getTime ()J
L7: aload_0
L8: getfield Field Food createDate Ljava/util/Date;
L11: invokevirtual Method java/util/Date getTime ()J
L14: lsub
L15: lstore_2
L16: aload_1
L17: invokevirtual Method java/util/Date getTime ()J
L20: aload_0
L21: getfield Field Food createDate Ljava/util/Date;
L24: invokevirtual Method java/util/Date getTime ()J
L27: lsub
L28: lstore 4
L30: lload 4
L32: l2d
L33: lload_2
L34: l2d
L35: ddiv
L36: dreturn
L37:
.linenumbertable
L0 103
L16 104
L30 105
.end linenumbertable
.end code
.end method
.method public equals : (Ljava/lang/Object;)Z
.code stack 2 locals 3
L0: aload_0
L1: aload_1
L2: if_acmpne L7
L5: iconst_1
L6: ireturn
.stack same
L7: aload_1
L8: ifnull L22
L11: aload_0
L12: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L15: aload_1
L16: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L19: if_acmpeq L24
.stack same
L22: iconst_0
L23: ireturn
.stack same
L24: aload_1
L25: checkcast Food
L28: astore_2
L29: aload_0
L30: getfield Field Food name Ljava/lang/String;
L33: aload_2
L34: getfield Field Food name Ljava/lang/String;
L37: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L40: ifne L45
L43: iconst_0
L44: ireturn
.stack append Object Food
L45: aload_0
L46: getfield Field Food createDate Ljava/util/Date;
L49: aload_2
L50: getfield Field Food createDate Ljava/util/Date;
L53: invokevirtual Method java/util/Date equals (Ljava/lang/Object;)Z
L56: ireturn
L57:
.linenumbertable
L0 110
L7 111
L24 113
L29 115
L45 116
.end linenumbertable
.end code
.end method
.method public hashCode : ()I
.code stack 2 locals 2
L0: aload_0
L1: getfield Field Food name Ljava/lang/String;
L4: invokevirtual Method java/lang/String hashCode ()I
L7: istore_1
L8: bipush 31
L10: iload_1
L11: imul
L12: aload_0
L13: getfield Field Food createDate Ljava/util/Date;
L16: invokevirtual Method java/util/Date hashCode ()I
L19: iadd
L20: istore_1
L21: iload_1
L22: ireturn
L23:
.linenumbertable
L0 121
L8 122
L21 123
.end linenumbertable
.end code
.end method
.method public toString : ()Ljava/lang/String;
.code stack 2 locals 1
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: ldc "Food{name='"
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field Food name Ljava/lang/String;
L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L19: bipush 39
L21: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L24: ldc ', createDate='
L26: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L29: aload_0
L30: getfield Field Food createDate Ljava/util/Date;
L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L36: bipush 125
L38: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L41: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L44: areturn
L45:
.linenumbertable
L0 130
.end linenumbertable
.end code
.end method
.method public getMinTemp : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Food minTemp I
L4: ireturn
L5:
.linenumbertable
L0 141
.end linenumbertable
.end code
.end method
.method public getMaxTemp : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Food maxTemp I
L4: ireturn
L5:
.linenumbertable
L0 149
.end linenumbertable
.end code
.end method
.method public isAppropriateTemperature : (I)Z
.code stack 2 locals 2
L0: iload_1
L1: aload_0
L2: getfield Field Food minTemp I
L5: if_icmplt L20
L8: iload_1
L9: aload_0
L10: getfield Field Food maxTemp I
L13: if_icmpgt L20
L16: iconst_1
L17: goto L21
.stack same
L20: iconst_0
.stack stack_1 Integer
L21: ireturn
L22:
.linenumbertable
L0 158
.end linenumbertable
.end code
.end method
.sourcefile 'Food.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 07:44: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 Food_ESTest extends Food_ESTest_scaffolding {
@Test
public void notGeneratedAnyTest() {
// EvoSuite did not generate any tests
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 07:44:31 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 Food_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 = "Food";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.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(Food_ESTest_scaffolding.class.getClassLoader() ,
"Food"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Food_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Food"
);
}
}
| 151,128 |
ElectricityInfo
|
/**
* 用电量情况对象
*
* @author Jayin Ton
*/
public class ElectricityInfo {
/** 栋数 e.g: 3 栋 */
public String apartID = "";
/** 房间号 e.g: 3栋706 显示为706 而不是3706 */
public String meterRoom = "";
/** 已使用电量 */
public String hasUseElc = "";
/** 剩余电量 */
public String ElcLeft = "";
/** 记录时间 */
public String RecordTime = "";
@Override
public String toString() {
return "ElectricityInfo [ElcLeft="
+ ElcLeft
+ ", RecordTime="
+ RecordTime
+ ", apartID="
+ apartID
+ ", hasUseElc="
+ hasUseElc
+ ", meterRoom="
+ meterRoom
+ "]";
}
}
|
.version 52 0
.class public super ElectricityInfo
.super java/lang/Object
.field public apartID Ljava/lang/String;
.field public meterRoom Ljava/lang/String;
.field public hasUseElc Ljava/lang/String;
.field public ElcLeft Ljava/lang/String;
.field public RecordTime Ljava/lang/String;
.method public <init> : ()V
.code stack 2 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: ldc ''
L7: putfield Field ElectricityInfo apartID Ljava/lang/String;
L10: aload_0
L11: ldc ''
L13: putfield Field ElectricityInfo meterRoom Ljava/lang/String;
L16: aload_0
L17: ldc ''
L19: putfield Field ElectricityInfo hasUseElc Ljava/lang/String;
L22: aload_0
L23: ldc ''
L25: putfield Field ElectricityInfo ElcLeft Ljava/lang/String;
L28: aload_0
L29: ldc ''
L31: putfield Field ElectricityInfo RecordTime Ljava/lang/String;
L34: return
L35:
.linenumbertable
L0 7
L4 11
L10 15
L16 19
L22 23
L28 27
.end linenumbertable
.end code
.end method
.method public toString : ()Ljava/lang/String;
.code stack 2 locals 1
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: ldc 'ElectricityInfo [ElcLeft='
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field ElectricityInfo ElcLeft Ljava/lang/String;
L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L19: ldc ', RecordTime='
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: aload_0
L25: getfield Field ElectricityInfo RecordTime Ljava/lang/String;
L28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L31: ldc ', apartID='
L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L36: aload_0
L37: getfield Field ElectricityInfo apartID Ljava/lang/String;
L40: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L43: ldc ', hasUseElc='
L45: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L48: aload_0
L49: getfield Field ElectricityInfo hasUseElc Ljava/lang/String;
L52: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L55: ldc ', meterRoom='
L57: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L60: aload_0
L61: getfield Field ElectricityInfo meterRoom Ljava/lang/String;
L64: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L67: ldc ']'
L69: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L72: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L75: areturn
L76:
.linenumbertable
L0 31
.end linenumbertable
.end code
.end method
.sourcefile 'ElectricityInfo.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 04:10: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 ElectricityInfo_ESTest extends ElectricityInfo_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ElectricityInfo electricityInfo0 = new ElectricityInfo();
String string0 = electricityInfo0.toString();
assertEquals("ElectricityInfo [ElcLeft=, RecordTime=, apartID=, hasUseElc=, meterRoom=]", string0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 04:10: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 ElectricityInfo_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ElectricityInfo";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpabivrpe1");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ElectricityInfo_ESTest_scaffolding.class.getClassLoader() ,
"ElectricityInfo"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ElectricityInfo_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ElectricityInfo"
);
}
}
| 151,129 |
MimeHeader
|
/*
* Copyright 2005-2006 Sun Microsystems, Inc. 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. Sun designates this
* particular file as subject to the "Classpath" exception as provided
* by Sun 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 Sun Microsystems, Inc., 4150 Network Circle, Santa Clara,
* CA 95054 USA or visit www.sun.com if you need additional information or
* have any questions.
*/
/*
* $Id: MimeHeader.java,v 1.4 2006/03/30 00:59:38 ofung Exp $
* $Revision: 1.4 $
* $Date: 2006/03/30 00:59:38 $
*/
/**
* An object that stores a MIME header name and its value. One or more <code>MimeHeader</code>
* objects may be contained in a <code>MimeHeaders</code> object.
*
* @see MimeHeaders
*/
public class MimeHeader {
private String name;
private String value;
/**
* Constructs a <code>MimeHeader</code> object initialized with the given name and value.
*
* @param name a <code>String</code> giving the name of the header
* @param value a <code>String</code> giving the value of the header
*/
public MimeHeader(String name, String value) {
this.name = name;
this.value = value;
}
/**
* Returns the name of this <code>MimeHeader</code> object.
*
* @return the name of the header as a <code>String</code>
*/
public String getName() {
return name;
}
/**
* Returns the value of this <code>MimeHeader</code> object.
*
* @return the value of the header as a <code>String</code>
*/
public String getValue() {
return value;
}
}
|
.version 52 0
.class public super MimeHeader
.super java/lang/Object
.field private name Ljava/lang/String;
.field private value Ljava/lang/String;
.method public <init> : (Ljava/lang/String;Ljava/lang/String;)V
.code stack 2 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field MimeHeader name Ljava/lang/String;
L9: aload_0
L10: aload_2
L11: putfield Field MimeHeader value Ljava/lang/String;
L14: return
L15:
.linenumbertable
L0 54
L4 55
L9 56
L14 57
.end linenumbertable
.end code
.end method
.method public getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MimeHeader name Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 65
.end linenumbertable
.end code
.end method
.method public getValue : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MimeHeader value Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 74
.end linenumbertable
.end code
.end method
.sourcefile 'MimeHeader.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 15:51: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 MimeHeader_ESTest extends MimeHeader_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
MimeHeader mimeHeader0 = new MimeHeader((String) null, (String) null);
String string0 = mimeHeader0.getValue();
assertNull(string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
MimeHeader mimeHeader0 = new MimeHeader(":K_h<9X_c?", ":K_h<9X_c?");
String string0 = mimeHeader0.getValue();
assertEquals(":K_h<9X_c?", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
MimeHeader mimeHeader0 = new MimeHeader((String) null, (String) null);
String string0 = mimeHeader0.getName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
MimeHeader mimeHeader0 = new MimeHeader(":K_h<9X_c?", ":K_h<9X_c?");
String string0 = mimeHeader0.getName();
assertEquals(":K_h<9X_c?", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
MimeHeader mimeHeader0 = new MimeHeader("", "");
String string0 = mimeHeader0.getValue();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
MimeHeader mimeHeader0 = new MimeHeader("", "");
String string0 = mimeHeader0.getName();
assertEquals("", string0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 15:51: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 MimeHeader_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "MimeHeader";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp03hhxxmz");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MimeHeader_ESTest_scaffolding.class.getClassLoader() ,
"MimeHeader"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MimeHeader_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MimeHeader"
);
}
}
| 151,130 |
OnboardingAccount
|
/** Created by n8fr8 on 6/4/15. */
public class OnboardingAccount {
public String nickname;
public String username;
public String domain;
public String password;
public long providerId;
public long accountId;
}
|
.version 52 0
.class public super OnboardingAccount
.super java/lang/Object
.field public nickname Ljava/lang/String;
.field public username Ljava/lang/String;
.field public domain Ljava/lang/String;
.field public password Ljava/lang/String;
.field public providerId J
.field public accountId J
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 6
.end linenumbertable
.end code
.end method
.sourcefile 'OnboardingAccount.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 01:39:16 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class OnboardingAccount_ESTest extends OnboardingAccount_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
OnboardingAccount onboardingAccount0 = new OnboardingAccount();
assertEquals(0L, onboardingAccount0.accountId);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 01:39:16 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class OnboardingAccount_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "OnboardingAccount";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpl8dvuvib");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(OnboardingAccount_ESTest_scaffolding.class.getClassLoader() ,
"OnboardingAccount"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(OnboardingAccount_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"OnboardingAccount"
);
}
}
| 151,131 |
Problem008
|
public class Problem008 {
public static void main(String[] args) {
String stringToAnalyze =
"73167176531330624919225119674426574742355349194934"
+ "96983520312774506326239578318016984801869478851843"
+ "85861560789112949495459501737958331952853208805511"
+ "12540698747158523863050715693290963295227443043557"
+ "66896648950445244523161731856403098711121722383113"
+ "62229893423380308135336276614282806444486645238749"
+ "30358907296290491560440772390713810515859307960866"
+ "70172427121883998797908792274921901699720888093776"
+ "65727333001053367881220235421809751254540594752243"
+ "52584907711670556013604839586446706324415722155397"
+ "53697817977846174064955149290862569321978468622482"
+ "83972241375657056057490261407972968652414535100474"
+ "82166370484403199890008895243450658541227588666881"
+ "16427171479924442928230863465674813919123162824586"
+ "17866458359124566529476545682848912883142607690042"
+ "24219022671055626321111109370544217506941658960408"
+ "07198403850962455444362981230987879927244284909188"
+ "84580156166097919133875499200524063689912560717606"
+ "05886116467109405077541002256983155200055935729725"
+ "71636269561882670428252483600823257530420752963450";
int numberOfAdjacentDigits = 13;
long largestProduct = 0;
for (int i = 0; i <= stringToAnalyze.length() - numberOfAdjacentDigits; i++) {
if (stringToAnalyze.substring(i, i + numberOfAdjacentDigits).indexOf('0') == -1) {
long product = 1;
for (int j = 0; j < numberOfAdjacentDigits; j++) {
product *= Character.getNumericValue(stringToAnalyze.charAt(i + j));
}
if (product > largestProduct) {
largestProduct = product;
}
}
}
System.out.println(largestProduct);
}
}
|
.version 52 0
.class public super Problem008
.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 static main : ([Ljava/lang/String;)V
.code stack 5 locals 9
L0: ldc [s2]
L2: astore_1
L3: bipush 13
L5: istore_2
L6: lconst_0
L7: lstore_3
L8: iconst_0
L9: istore 5
.stack full
locals Object [Ljava/lang/String; Object java/lang/String Integer Long Integer
stack
.end stack
L11: iload 5
L13: aload_1
L14: invokevirtual Method java/lang/String length ()I
L17: iload_2
L18: isub
L19: if_icmpgt L93
L22: aload_1
L23: iload 5
L25: iload 5
L27: iload_2
L28: iadd
L29: invokevirtual Method java/lang/String substring (II)Ljava/lang/String;
L32: bipush 48
L34: invokevirtual Method java/lang/String indexOf (I)I
L37: iconst_m1
L38: if_icmpne L87
L41: lconst_1
L42: lstore 6
L44: iconst_0
L45: istore 8
.stack append Long Integer
L47: iload 8
L49: iload_2
L50: if_icmpge L77
L53: lload 6
L55: aload_1
L56: iload 5
L58: iload 8
L60: iadd
L61: invokevirtual Method java/lang/String charAt (I)C
L64: invokestatic Method java/lang/Character getNumericValue (C)I
L67: i2l
L68: lmul
L69: lstore 6
L71: iinc 8 1
L74: goto L47
.stack chop 1
L77: lload 6
L79: lload_3
L80: lcmp
L81: ifle L87
L84: lload 6
L86: lstore_3
.stack chop 1
L87: iinc 5 1
L90: goto L11
.stack chop 1
L93: getstatic Field java/lang/System out Ljava/io/PrintStream;
L96: lload_3
L97: invokevirtual Method java/io/PrintStream println (J)V
L100: return
L101:
.linenumbertable
L0 3
L3 23
L6 24
L8 25
L22 26
L41 27
L44 28
L53 29
L71 28
L77 31
L84 32
L87 25
L93 36
L100 37
.end linenumbertable
.end code
.end method
.sourcefile 'Problem008.java'
.const [s2] = String [u24]
.const [u24] = Utf8 '7316717653133062491922511967442657474235534919493496983520312774506326239578318016984801869478851843858615607891129494954595017379583319528532088055111254069874715852386305071569329096329522744304355766896648950445244523161731856403098711121722383113622298934233803081353362766142828064444866452387493035890729629049156044077239071381051585930796086670172427121883998797908792274921901699720888093776657273330010533678812202354218097512545405947522435258490771167055601360483958644670632441572215539753697817977846174064955149290862569321978468622482839722413756570560574902614079729686524145351004748216637048440319989000889524345065854122758866688116427171479924442928230863465674813919123162824586178664583591245665294765456828489128831426076900422421902267105562632111110937054421750694165896040807198403850962455444362981230987879927244284909188845801561660979191338754992005240636899125607176060588611646710940507754100225698315520005593572972571636269561882670428252483600823257530420752963450'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 13:15: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 Problem008_ESTest extends Problem008_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[6];
stringArray0[0] = "";
stringArray0[1] = "";
stringArray0[2] = "A-Y";
stringArray0[3] = "%ziboBxpYZ7s]7 DgUr";
stringArray0[4] = "bC}q0%7p:m-#+`";
stringArray0[5] = "";
Problem008.main(stringArray0);
Problem008.main(stringArray0);
// Undeclared exception!
Problem008.main(stringArray0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Problem008 problem008_0 = new Problem008();
String[] stringArray0 = new String[7];
stringArray0[0] = "B&E16B3g.aLDR9s";
stringArray0[1] = "+.!3'vu5Q|s::";
stringArray0[2] = "";
stringArray0[3] = "";
stringArray0[4] = "";
stringArray0[5] = "v]Dm+DM_";
stringArray0[6] = "lo&j(){,4;";
Problem008.main(stringArray0);
String[] stringArray1 = new String[5];
stringArray1[0] = "#8.3rsRlF<#9NF4:*";
stringArray1[1] = "";
stringArray1[2] = ";/odeXsC&S1>BD'";
stringArray1[3] = "";
stringArray1[4] = "o";
Problem008.main(stringArray1);
assertEquals(5, stringArray1.length);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
String[] stringArray0 = new String[5];
String string0 = "";
stringArray0[0] = "";
stringArray0[1] = "/[";
stringArray0[2] = "mHE+2O5Jc*e47";
stringArray0[3] = "";
String string1 = "";
stringArray0[4] = "";
Problem008.main(stringArray0);
Problem008.main(stringArray0);
Problem008 problem008_0 = new Problem008();
// Undeclared exception!
Problem008.main(stringArray0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
String[] stringArray0 = new String[8];
stringArray0[0] = "";
stringArray0[1] = "LVV";
stringArray0[2] = "#IC8%f[j4d-RY;";
stringArray0[3] = "z@//mY";
stringArray0[4] = "7_N<T";
stringArray0[5] = "2uxl7`z7BDe&YpZ(e";
stringArray0[6] = "";
stringArray0[7] = "";
Problem008.main(stringArray0);
assertEquals(8, stringArray0.length);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
String[] stringArray0 = new String[9];
stringArray0[0] = "";
stringArray0[1] = ",";
stringArray0[2] = "U-h`bkN";
stringArray0[3] = "Problem008";
stringArray0[4] = "";
stringArray0[5] = "*sla(;L338VdQMksI";
stringArray0[6] = "HtJe3**/Vk4@3i*vX@";
stringArray0[7] = "";
stringArray0[8] = "`2oT ";
Problem008.main(stringArray0);
Problem008 problem008_0 = new Problem008();
Problem008.main(stringArray0);
// Undeclared exception!
Problem008.main(stringArray0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Problem008 problem008_0 = new Problem008();
String[] stringArray0 = new String[4];
stringArray0[0] = "";
stringArray0[1] = "~p]>zo{:X_]]kR)~";
stringArray0[2] = "v\"Cc,|ZBZh;;C";
stringArray0[3] = "Vq2'/ID";
Problem008.main(stringArray0);
String[] stringArray1 = new String[5];
stringArray1[0] = "";
stringArray1[1] = "ggCk$RcePCfd";
stringArray1[2] = "N.~Zp+*)5u";
stringArray1[3] = "";
stringArray1[4] = "q*uRSU";
Problem008.main(stringArray1);
String[] stringArray2 = new String[4];
stringArray2[0] = "v&^pd9xg:RQ";
stringArray2[1] = "%f}TvIxS";
stringArray2[2] = "";
stringArray2[3] = "+UKBeI):g&@KJOCr.";
// Undeclared exception!
Problem008.main(stringArray2);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 13:15: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 Problem008_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Problem008";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpt3ifirkt");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Problem008_ESTest_scaffolding.class.getClassLoader() ,
"Problem008"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Problem008_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Problem008"
);
}
}
| 151,132 |
CollectionsBasics
|
/*******************************************************************************
* This code is developed and owned by Borsa Istanbul A.S.
* The distribution of this code by any means is prohibited.
* You cannot copy/share/distribute/deliver/use/modify/move without having
* a permission to do so. Use it with your own risk.
*
* All rights reserved. Copyright (c) 2013.
******************************************************************************/
import java.util.ArrayList;
import java.util.Arrays;
import java.util.Collection;
import java.util.Iterator;
public class CollectionsBasics {
/*
Java arrays have limitations:
- They cannot dynamically shrink and grow.
- They have limited type safety.
- Implementing efficient, complex data structures from scratch would be difficult.
The Java Collections Framework provides many benefits:
- Reduces programming effort (already there)
- Increases performance (tested and optimized)
- Part of the core API (available, easy to learn)
- Promotes software reuse (standard interface)
- Easy to design APIs based on generic collections
Interfaces:
Collection -> Set -> SortedSet : A collection that cannot contain duplicate elements
-> Listeler : An ordered collection. Lists can contain duplicate elements
-> Queue : A collection used to hold multiple elements prior to processing.
Queue provides additional insertion, extraction, and inspection operations.
-> Deque : Deques can be used both as FIFO (first-in, first-out) and LIFO (last-in, first-out)
Map -> SortedMap : Maps keys to values. Cannot contain duplicate keys; each key can map to at most one value.
Implementations:
Set : HashSet, TreeSet, EnumSet, LinkedHashSet
List : ArrayList, LinkedList, Vector, Stack
Map : HashMap, TreeMap, LinkedHashMap
Queue-Deque : LinkedList, PriorityQueue, ArrayDeque
*
*
* */
public static void main(String[] args) {
String[] myArray = {"a", "b", "c", "d", "e"};
Collection<String> myList = new ArrayList<String>();
// addAll : Arrays import to Collections:
myList.addAll(Arrays.asList(myArray));
System.out.println(myList);
// removeAll,
myList.add("1");
myList.add("2");
// Iterators, hasNext,next
Iterator iterator = myList.iterator();
while (iterator.hasNext()) {
Object object = iterator.next();
System.out.print(object);
}
System.out.println("\nsize: " + myList.size());
// Iterating with for each (
for (Object object : myList) {
System.out.print(object);
}
System.out.println();
}
}
|
.version 52 0
.class public super CollectionsBasics
.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 18
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 4 locals 6
L0: iconst_5
L1: anewarray java/lang/String
L4: dup
L5: iconst_0
L6: ldc 'a'
L8: aastore
L9: dup
L10: iconst_1
L11: ldc 'b'
L13: aastore
L14: dup
L15: iconst_2
L16: ldc 'c'
L18: aastore
L19: dup
L20: iconst_3
L21: ldc 'd'
L23: aastore
L24: dup
L25: iconst_4
L26: ldc 'e'
L28: aastore
L29: astore_1
L30: new java/util/ArrayList
L33: dup
L34: invokespecial Method java/util/ArrayList <init> ()V
L37: astore_2
L38: aload_2
L39: aload_1
L40: invokestatic Method java/util/Arrays asList ([Ljava/lang/Object;)Ljava/util/List;
L43: invokeinterface InterfaceMethod java/util/Collection addAll (Ljava/util/Collection;)Z 2
L48: pop
L49: getstatic Field java/lang/System out Ljava/io/PrintStream;
L52: aload_2
L53: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V
L56: aload_2
L57: ldc '1'
L59: invokeinterface InterfaceMethod java/util/Collection add (Ljava/lang/Object;)Z 2
L64: pop
L65: aload_2
L66: ldc '2'
L68: invokeinterface InterfaceMethod java/util/Collection add (Ljava/lang/Object;)Z 2
L73: pop
L74: aload_2
L75: invokeinterface InterfaceMethod java/util/Collection iterator ()Ljava/util/Iterator; 1
L80: astore_3
.stack append Object [Ljava/lang/String; Object java/util/Collection Object java/util/Iterator
L81: aload_3
L82: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1
L87: ifeq L109
L90: aload_3
L91: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1
L96: astore 4
L98: getstatic Field java/lang/System out Ljava/io/PrintStream;
L101: aload 4
L103: invokevirtual Method java/io/PrintStream print (Ljava/lang/Object;)V
L106: goto L81
.stack same
L109: getstatic Field java/lang/System out Ljava/io/PrintStream;
L112: new java/lang/StringBuilder
L115: dup
L116: invokespecial Method java/lang/StringBuilder <init> ()V
L119: ldc '\nsize: '
L121: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L124: aload_2
L125: invokeinterface InterfaceMethod java/util/Collection size ()I 1
L130: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L133: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L136: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L139: aload_2
L140: invokeinterface InterfaceMethod java/util/Collection iterator ()Ljava/util/Iterator; 1
L145: astore 4
.stack append Object java/util/Iterator
L147: aload 4
L149: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1
L154: ifeq L177
L157: aload 4
L159: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1
L164: astore 5
L166: getstatic Field java/lang/System out Ljava/io/PrintStream;
L169: aload 5
L171: invokevirtual Method java/io/PrintStream print (Ljava/lang/Object;)V
L174: goto L147
.stack chop 1
L177: getstatic Field java/lang/System out Ljava/io/PrintStream;
L180: invokevirtual Method java/io/PrintStream println ()V
L183: return
L184:
.linenumbertable
L0 52
L30 53
L38 56
L49 57
L56 60
L65 61
L74 64
L81 65
L90 66
L98 67
L106 68
L109 70
L139 72
L166 73
L174 74
L177 75
L183 77
.end linenumbertable
.end code
.end method
.sourcefile 'CollectionsBasics.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 10:36:36 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class CollectionsBasics_ESTest extends CollectionsBasics_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
CollectionsBasics.main((String[]) null);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
CollectionsBasics collectionsBasics0 = new CollectionsBasics();
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 10:36: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 CollectionsBasics_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "CollectionsBasics";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.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_f64ume5");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CollectionsBasics_ESTest_scaffolding.class.getClassLoader() ,
"CollectionsBasics"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CollectionsBasics_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"CollectionsBasics"
);
}
}
| 151,133 |
Filter
|
public class Filter {
public final long userId;
public Filter(long userId) {
this.userId = userId;
}
}
|
.version 52 0
.class public super Filter
.super java/lang/Object
.field public final userId J
.method public <init> : (J)V
.code stack 3 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: lload_1
L6: putfield Field Filter userId J
L9: return
L10:
.linenumbertable
L0 7
L4 8
L9 9
.end linenumbertable
.end code
.end method
.sourcefile 'Filter.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 22:06: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 Filter_ESTest extends Filter_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Filter filter0 = new Filter(1L);
assertEquals(1L, filter0.userId);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 22:06: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 Filter_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Filter";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp4snpcny2");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Filter_ESTest_scaffolding.class.getClassLoader() ,
"Filter"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Filter_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Filter"
);
}
}
| 151,134 |
Complex
|
public final class Complex {
public static final Complex ZERO = new Complex(0, 0);
public static final Complex ONE = new Complex(1, 0);
public static final Complex I = new Complex(0, 1);
private final double re;
private final double im;
public Complex(double re, double im) {
this.re = re;
this.im = im;
}
// Accessors with no corresponding mutators
public double realPart() {
return re;
}
public double imaginaryPart() {
return im;
}
public Complex add(Complex c) {
return new Complex(re + c.re, im + c.im);
}
public Complex subtract(Complex c) {
return new Complex(re - c.re, im - c.im);
}
public Complex multiply(Complex c) {
return new Complex(re * c.re - im * c.im, re * c.im + im * c.re);
}
public Complex divide(Complex c) {
double tmp = c.re * c.re + c.im * c.im;
return new Complex((re * c.re + im * c.im) / tmp, (im * c.re - re * c.im) / tmp);
}
@Override
public int hashCode() {
final int prime = 31;
int result = 1;
long temp;
temp = Double.doubleToLongBits(im);
result = prime * result + (int) (temp ^ (temp >>> 32));
temp = Double.doubleToLongBits(re);
result = prime * result + (int) (temp ^ (temp >>> 32));
return result;
}
@Override
public boolean equals(Object obj) {
if (this == obj) return true;
if (obj == null) return false;
if (getClass() != obj.getClass()) return false;
Complex other = (Complex) obj;
if (Double.doubleToLongBits(im) != Double.doubleToLongBits(other.im)) return false;
if (Double.doubleToLongBits(re) != Double.doubleToLongBits(other.re)) return false;
return true;
}
@Override
public String toString() {
return "Complex [re=" + re + ", im=" + im + "]";
}
}
|
.version 52 0
.class public final super Complex
.super java/lang/Object
.field public static final ZERO LComplex;
.field public static final ONE LComplex;
.field public static final I LComplex;
.field private final re D
.field private final im 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 Complex re D
L9: aload_0
L10: dload_3
L11: putfield Field Complex im D
L14: return
L15:
.linenumbertable
L0 11
L4 12
L9 13
L14 14
.end linenumbertable
.end code
.end method
.method public realPart : ()D
.code stack 2 locals 1
L0: aload_0
L1: getfield Field Complex re D
L4: dreturn
L5:
.linenumbertable
L0 18
.end linenumbertable
.end code
.end method
.method public imaginaryPart : ()D
.code stack 2 locals 1
L0: aload_0
L1: getfield Field Complex im D
L4: dreturn
L5:
.linenumbertable
L0 22
.end linenumbertable
.end code
.end method
.method public add : (LComplex;)LComplex;
.code stack 8 locals 2
L0: new Complex
L3: dup
L4: aload_0
L5: getfield Field Complex re D
L8: aload_1
L9: getfield Field Complex re D
L12: dadd
L13: aload_0
L14: getfield Field Complex im D
L17: aload_1
L18: getfield Field Complex im D
L21: dadd
L22: invokespecial Method Complex <init> (DD)V
L25: areturn
L26:
.linenumbertable
L0 26
.end linenumbertable
.end code
.end method
.method public subtract : (LComplex;)LComplex;
.code stack 8 locals 2
L0: new Complex
L3: dup
L4: aload_0
L5: getfield Field Complex re D
L8: aload_1
L9: getfield Field Complex re D
L12: dsub
L13: aload_0
L14: getfield Field Complex im D
L17: aload_1
L18: getfield Field Complex im D
L21: dsub
L22: invokespecial Method Complex <init> (DD)V
L25: areturn
L26:
.linenumbertable
L0 30
.end linenumbertable
.end code
.end method
.method public multiply : (LComplex;)LComplex;
.code stack 10 locals 2
L0: new Complex
L3: dup
L4: aload_0
L5: getfield Field Complex re D
L8: aload_1
L9: getfield Field Complex re D
L12: dmul
L13: aload_0
L14: getfield Field Complex im D
L17: aload_1
L18: getfield Field Complex im D
L21: dmul
L22: dsub
L23: aload_0
L24: getfield Field Complex re D
L27: aload_1
L28: getfield Field Complex im D
L31: dmul
L32: aload_0
L33: getfield Field Complex im D
L36: aload_1
L37: getfield Field Complex re D
L40: dmul
L41: dadd
L42: invokespecial Method Complex <init> (DD)V
L45: areturn
L46:
.linenumbertable
L0 34
.end linenumbertable
.end code
.end method
.method public divide : (LComplex;)LComplex;
.code stack 10 locals 4
L0: aload_1
L1: getfield Field Complex re D
L4: aload_1
L5: getfield Field Complex re D
L8: dmul
L9: aload_1
L10: getfield Field Complex im D
L13: aload_1
L14: getfield Field Complex im D
L17: dmul
L18: dadd
L19: dstore_2
L20: new Complex
L23: dup
L24: aload_0
L25: getfield Field Complex re D
L28: aload_1
L29: getfield Field Complex re D
L32: dmul
L33: aload_0
L34: getfield Field Complex im D
L37: aload_1
L38: getfield Field Complex im D
L41: dmul
L42: dadd
L43: dload_2
L44: ddiv
L45: aload_0
L46: getfield Field Complex im D
L49: aload_1
L50: getfield Field Complex re D
L53: dmul
L54: aload_0
L55: getfield Field Complex re D
L58: aload_1
L59: getfield Field Complex im D
L62: dmul
L63: dsub
L64: dload_2
L65: ddiv
L66: invokespecial Method Complex <init> (DD)V
L69: areturn
L70:
.linenumbertable
L0 38
L20 39
.end linenumbertable
.end code
.end method
.method public hashCode : ()I
.code stack 6 locals 5
L0: iconst_1
L1: istore_2
L2: aload_0
L3: getfield Field Complex im D
L6: invokestatic Method java/lang/Double doubleToLongBits (D)J
L9: lstore_3
L10: bipush 31
L12: iload_2
L13: imul
L14: lload_3
L15: lload_3
L16: bipush 32
L18: lushr
L19: lxor
L20: l2i
L21: iadd
L22: istore_2
L23: aload_0
L24: getfield Field Complex re D
L27: invokestatic Method java/lang/Double doubleToLongBits (D)J
L30: lstore_3
L31: bipush 31
L33: iload_2
L34: imul
L35: lload_3
L36: lload_3
L37: bipush 32
L39: lushr
L40: lxor
L41: l2i
L42: iadd
L43: istore_2
L44: iload_2
L45: ireturn
L46:
.linenumbertable
L0 45
L2 47
L10 48
L23 49
L31 50
L44 51
.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: ifnonnull L13
L11: iconst_0
L12: ireturn
.stack same
L13: aload_0
L14: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L17: aload_1
L18: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L21: if_acmpeq L26
L24: iconst_0
L25: ireturn
.stack same
L26: aload_1
L27: checkcast Complex
L30: astore_2
L31: aload_0
L32: getfield Field Complex im D
L35: invokestatic Method java/lang/Double doubleToLongBits (D)J
L38: aload_2
L39: getfield Field Complex im D
L42: invokestatic Method java/lang/Double doubleToLongBits (D)J
L45: lcmp
L46: ifeq L51
L49: iconst_0
L50: ireturn
.stack append Object Complex
L51: aload_0
L52: getfield Field Complex re D
L55: invokestatic Method java/lang/Double doubleToLongBits (D)J
L58: aload_2
L59: getfield Field Complex re D
L62: invokestatic Method java/lang/Double doubleToLongBits (D)J
L65: lcmp
L66: ifeq L71
L69: iconst_0
L70: ireturn
.stack same
L71: iconst_1
L72: ireturn
L73:
.linenumbertable
L0 56
L5 57
L7 58
L11 59
L13 60
L24 61
L26 62
L31 63
L49 64
L51 65
L69 66
L71 67
.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 'Complex [re='
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field Complex re D
L16: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L19: ldc ', im='
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: aload_0
L25: getfield Field Complex im D
L28: invokevirtual Method java/lang/StringBuilder append (D)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 72
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 6 locals 0
L0: new Complex
L3: dup
L4: dconst_0
L5: dconst_0
L6: invokespecial Method Complex <init> (DD)V
L9: putstatic Field Complex ZERO LComplex;
L12: new Complex
L15: dup
L16: dconst_1
L17: dconst_0
L18: invokespecial Method Complex <init> (DD)V
L21: putstatic Field Complex ONE LComplex;
L24: new Complex
L27: dup
L28: dconst_0
L29: dconst_1
L30: invokespecial Method Complex <init> (DD)V
L33: putstatic Field Complex I LComplex;
L36: return
L37:
.linenumbertable
L0 4
L12 5
L24 6
.end linenumbertable
.end code
.end method
.sourcefile 'Complex.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 13:41:08 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Complex_ESTest extends Complex_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
Complex complex0 = Complex.ONE;
Complex complex1 = new Complex((-4207.35368), 0.0);
boolean boolean0 = complex0.equals(complex1);
assertEquals(0.0, complex1.imaginaryPart(), 1.0E-4);
assertFalse(boolean0);
assertEquals((-4207.35368), complex1.realPart(), 1.0E-4);
assertFalse(complex1.equals((Object)complex0));
}
@Test(timeout = 4000)
public void test01() throws Throwable {
Complex complex0 = Complex.ZERO;
Complex complex1 = complex0.ZERO.divide(complex0);
boolean boolean0 = complex0.equals(complex1);
assertEquals(Double.NaN, complex1.realPart(), 1.0E-4);
assertEquals(Double.NaN, complex1.imaginaryPart(), 1.0E-4);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
Complex complex0 = new Complex(24760.400652, 24760.400652);
complex0.hashCode();
assertEquals(24760.400652, complex0.realPart(), 1.0E-4);
assertEquals(24760.400652, complex0.imaginaryPart(), 1.0E-4);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
Complex complex0 = new Complex((-31683.091296841092), 1.0);
Complex complex1 = Complex.ONE;
Complex complex2 = complex1.subtract(complex0);
complex2.hashCode();
assertEquals(31684.091296841092, complex2.realPart(), 1.0E-4);
assertEquals(1.0, complex0.imaginaryPart(), 1.0E-4);
assertEquals((-1.0), complex2.imaginaryPart(), 1.0E-4);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
Complex complex0 = Complex.ONE;
Complex complex1 = Complex.I;
Complex complex2 = complex1.add(complex0);
complex2.hashCode();
assertEquals(1.0, complex2.realPart(), 1.0E-4);
assertEquals(1.0, complex2.imaginaryPart(), 1.0E-4);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
Complex complex0 = new Complex(1.0, 56659.61285851682);
Complex complex1 = Complex.ZERO;
Complex complex2 = complex0.subtract(complex1);
assertTrue(complex2.equals((Object)complex0));
}
@Test(timeout = 4000)
public void test06() throws Throwable {
Complex complex0 = Complex.ZERO;
double double0 = complex0.realPart();
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
Complex complex0 = new Complex((-44576.0), 0.0);
double double0 = complex0.realPart();
assertEquals((-44576.0), double0, 1.0E-4);
assertEquals(0.0, complex0.imaginaryPart(), 1.0E-4);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
Complex complex0 = new Complex((-31683.091296841092), 1.0);
Complex complex1 = complex0.divide(complex0);
Complex complex2 = complex1.multiply(complex0);
assertTrue(complex2.equals((Object)complex0));
assertEquals(0.0, complex1.imaginaryPart(), 1.0E-4);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
Complex complex0 = Complex.I;
double double0 = complex0.imaginaryPart();
assertEquals(1.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
Complex complex0 = new Complex(1.0, (-1.0));
double double0 = complex0.imaginaryPart();
assertEquals((-1.0), double0, 1.0E-4);
assertEquals(1.0, complex0.realPart(), 1.0E-4);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
Complex complex0 = new Complex(1.0, 56659.61285851682);
Complex complex1 = complex0.ONE.divide(complex0);
Complex complex2 = complex1.divide(complex0);
Complex complex3 = complex1.I.multiply(complex2);
assertEquals((-3.114962294614055E-10), complex3.imaginaryPart(), 1.0E-4);
assertEquals(1.0995353262870475E-14, complex3.realPart(), 1.0E-4);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
Complex complex0 = Complex.ZERO;
Complex complex1 = complex0.add(complex0);
assertTrue(complex1.equals((Object)complex0));
}
@Test(timeout = 4000)
public void test13() throws Throwable {
Complex complex0 = new Complex(1.0, 56659.61285851682);
Complex complex1 = Complex.ZERO;
Complex complex2 = complex1.subtract(complex0);
Complex complex3 = complex0.ZERO.add(complex2);
assertEquals((-1.0), complex3.realPart(), 1.0E-4);
assertEquals((-56659.61285851682), complex3.imaginaryPart(), 1.0E-4);
assertTrue(complex3.equals((Object)complex2));
}
@Test(timeout = 4000)
public void test14() throws Throwable {
Complex complex0 = new Complex((-23774.12659), 0.0);
Complex complex1 = Complex.ONE;
boolean boolean0 = complex0.equals(complex1);
assertFalse(boolean0);
assertFalse(complex1.equals((Object)complex0));
assertEquals(0.0, complex0.imaginaryPart(), 1.0E-4);
assertEquals((-23774.12659), complex0.realPart(), 1.0E-4);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
Complex complex0 = new Complex(1.0, 56659.61285851682);
Complex complex1 = Complex.ZERO;
Complex complex2 = complex0.multiply(complex1);
boolean boolean0 = complex2.equals(complex1);
assertFalse(complex2.equals((Object)complex0));
assertEquals(1.0, complex0.realPart(), 1.0E-4);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
Complex complex0 = Complex.ONE;
boolean boolean0 = complex0.equals((Object) null);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
Complex complex0 = new Complex(1.0, 56659.61285851682);
boolean boolean0 = complex0.equals(complex0);
assertEquals(1.0, complex0.realPart(), 1.0E-4);
assertEquals(56659.61285851682, complex0.imaginaryPart(), 1.0E-4);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
Complex complex0 = Complex.ONE;
Object object0 = new Object();
boolean boolean0 = complex0.equals(object0);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test19() throws Throwable {
Complex complex0 = Complex.ONE;
double double0 = complex0.imaginaryPart();
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test20() throws Throwable {
Complex complex0 = Complex.ONE;
Complex complex1 = complex0.ZERO.subtract(complex0);
complex1.hashCode();
assertEquals(0.0, complex1.imaginaryPart(), 1.0E-4);
assertEquals((-1.0), complex1.realPart(), 1.0E-4);
}
@Test(timeout = 4000)
public void test21() throws Throwable {
Complex complex0 = Complex.ONE;
String string0 = complex0.toString();
assertEquals("Complex [re=1.0, im=0.0]", string0);
}
@Test(timeout = 4000)
public void test22() throws Throwable {
Complex complex0 = Complex.ONE;
Complex complex1 = complex0.I.multiply(complex0);
boolean boolean0 = complex1.equals(complex0);
assertFalse(boolean0);
assertEquals(0.0, complex1.realPart(), 1.0E-4);
assertEquals(1.0, complex1.imaginaryPart(), 1.0E-4);
}
@Test(timeout = 4000)
public void test23() throws Throwable {
Complex complex0 = Complex.ONE;
Complex complex1 = complex0.ZERO.divide(complex0);
assertEquals(0.0, complex1.realPart(), 1.0E-4);
assertEquals(0.0, complex1.imaginaryPart(), 1.0E-4);
}
@Test(timeout = 4000)
public void test24() throws Throwable {
Complex complex0 = Complex.ONE;
double double0 = complex0.realPart();
assertEquals(1.0, double0, 1.0E-4);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 13:41: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 Complex_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Complex";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp22shkwih");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Complex_ESTest_scaffolding.class.getClassLoader() ,
"Complex"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Complex_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Complex"
);
}
}
| 151,135 |
SocketUDP
|
import java.io.IOException;
import java.net.DatagramPacket;
import java.net.DatagramSocket;
import java.net.InetAddress;
import java.net.SocketException;
public class SocketUDP {
private DatagramSocket socket;
private byte[] sendData;
private byte[] receiveData;
private InetAddress ip;
private int port;
public SocketUDP(int port) throws SocketException {
socket = new DatagramSocket(port);
}
public String receiveMessage(int dataLength) throws IOException {
receiveData = new byte[dataLength];
DatagramPacket receivePacket = new DatagramPacket(receiveData, dataLength);
socket.receive(receivePacket);
if (ip == null) {
ip = receivePacket.getAddress();
port = receivePacket.getPort();
}
return new String(receivePacket.getData());
}
public void sendMessage(InetAddress ip, int port, String message, int dataLength)
throws IOException {
sendData = new byte[dataLength];
sendData = message.getBytes();
DatagramPacket packetSend = new DatagramPacket(sendData, sendData.length, ip, port);
socket.send(packetSend);
}
public InetAddress getIp() {
return ip;
}
public int getPort() {
return port;
}
public void closeConnection() {
socket.close();
ip = null;
port = 0;
}
}
|
.version 52 0
.class public super SocketUDP
.super java/lang/Object
.field private socket Ljava/net/DatagramSocket;
.field private sendData [B
.field private receiveData [B
.field private ip Ljava/net/InetAddress;
.field private port I
.method public <init> : (I)V
.code stack 4 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: new java/net/DatagramSocket
L8: dup
L9: iload_1
L10: invokespecial Method java/net/DatagramSocket <init> (I)V
L13: putfield Field SocketUDP socket Ljava/net/DatagramSocket;
L16: return
L17:
.linenumbertable
L0 18
L4 19
L16 20
.end linenumbertable
.end code
.exceptions java/net/SocketException
.end method
.method public receiveMessage : (I)Ljava/lang/String;
.code stack 4 locals 3
L0: aload_0
L1: iload_1
L2: newarray byte
L4: putfield Field SocketUDP receiveData [B
L7: new java/net/DatagramPacket
L10: dup
L11: aload_0
L12: getfield Field SocketUDP receiveData [B
L15: iload_1
L16: invokespecial Method java/net/DatagramPacket <init> ([BI)V
L19: astore_2
L20: aload_0
L21: getfield Field SocketUDP socket Ljava/net/DatagramSocket;
L24: aload_2
L25: invokevirtual Method java/net/DatagramSocket receive (Ljava/net/DatagramPacket;)V
L28: aload_0
L29: getfield Field SocketUDP ip Ljava/net/InetAddress;
L32: ifnonnull L51
L35: aload_0
L36: aload_2
L37: invokevirtual Method java/net/DatagramPacket getAddress ()Ljava/net/InetAddress;
L40: putfield Field SocketUDP ip Ljava/net/InetAddress;
L43: aload_0
L44: aload_2
L45: invokevirtual Method java/net/DatagramPacket getPort ()I
L48: putfield Field SocketUDP port I
.stack append Object java/net/DatagramPacket
L51: new java/lang/String
L54: dup
L55: aload_2
L56: invokevirtual Method java/net/DatagramPacket getData ()[B
L59: invokespecial Method java/lang/String <init> ([B)V
L62: areturn
L63:
.linenumbertable
L0 24
L7 26
L20 28
L28 30
L35 31
L43 32
L51 35
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.method public sendMessage : (Ljava/net/InetAddress;ILjava/lang/String;I)V
.code stack 6 locals 6
L0: aload_0
L1: iload 4
L3: newarray byte
L5: putfield Field SocketUDP sendData [B
L8: aload_0
L9: aload_3
L10: invokevirtual Method java/lang/String getBytes ()[B
L13: putfield Field SocketUDP sendData [B
L16: new java/net/DatagramPacket
L19: dup
L20: aload_0
L21: getfield Field SocketUDP sendData [B
L24: aload_0
L25: getfield Field SocketUDP sendData [B
L28: arraylength
L29: aload_1
L30: iload_2
L31: invokespecial Method java/net/DatagramPacket <init> ([BILjava/net/InetAddress;I)V
L34: astore 5
L36: aload_0
L37: getfield Field SocketUDP socket Ljava/net/DatagramSocket;
L40: aload 5
L42: invokevirtual Method java/net/DatagramSocket send (Ljava/net/DatagramPacket;)V
L45: return
L46:
.linenumbertable
L0 39
L8 40
L16 42
L36 44
L45 45
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.method public getIp : ()Ljava/net/InetAddress;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SocketUDP ip Ljava/net/InetAddress;
L4: areturn
L5:
.linenumbertable
L0 48
.end linenumbertable
.end code
.end method
.method public getPort : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SocketUDP port I
L4: ireturn
L5:
.linenumbertable
L0 52
.end linenumbertable
.end code
.end method
.method public closeConnection : ()V
.code stack 2 locals 1
L0: aload_0
L1: getfield Field SocketUDP socket Ljava/net/DatagramSocket;
L4: invokevirtual Method java/net/DatagramSocket close ()V
L7: aload_0
L8: aconst_null
L9: putfield Field SocketUDP ip Ljava/net/InetAddress;
L12: aload_0
L13: iconst_0
L14: putfield Field SocketUDP port I
L17: return
L18:
.linenumbertable
L0 57
L7 58
L12 59
L17 60
.end linenumbertable
.end code
.end method
.sourcefile 'SocketUDP.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 15:52:23 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.io.IOException;
import java.net.InetAddress;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.mock.java.net.MockInetAddress;
import org.evosuite.runtime.testdata.EvoSuiteLocalAddress;
import org.evosuite.runtime.testdata.EvoSuiteRemoteAddress;
import org.evosuite.runtime.testdata.NetworkHandling;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class SocketUDP_ESTest extends SocketUDP_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
SocketUDP socketUDP0 = new SocketUDP(1);
try {
socketUDP0.receiveMessage(1);
fail("Expecting exception: IOException");
} catch(IOException e) {
//
// Simulated IO exception
//
verifyException("org.evosuite.runtime.mock.java.net.EvoDatagramSocketImpl", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
SocketUDP socketUDP0 = new SocketUDP(46627);
InetAddress inetAddress0 = MockInetAddress.getLoopbackAddress();
socketUDP0.sendMessage(inetAddress0, 46627, "ehe9,=a=e2j?l6 ", 18768);
assertEquals("127.0.0.1", inetAddress0.getHostAddress());
}
@Test(timeout = 4000)
public void test2() throws Throwable {
EvoSuiteLocalAddress evoSuiteLocalAddress0 = new EvoSuiteLocalAddress("192.168.1.42", 46627);
EvoSuiteRemoteAddress evoSuiteRemoteAddress0 = new EvoSuiteRemoteAddress("127.0.0.1", 46627);
byte[] byteArray0 = new byte[4];
NetworkHandling.sendUdpPacket(evoSuiteLocalAddress0, evoSuiteRemoteAddress0, byteArray0);
SocketUDP socketUDP0 = new SocketUDP(46627);
socketUDP0.receiveMessage(0);
socketUDP0.getIp();
assertEquals(46627, socketUDP0.getPort());
}
@Test(timeout = 4000)
public void test3() throws Throwable {
EvoSuiteLocalAddress evoSuiteLocalAddress0 = new EvoSuiteLocalAddress("192.168.1.42", 40000);
EvoSuiteRemoteAddress evoSuiteRemoteAddress0 = new EvoSuiteRemoteAddress("SocketUDP", 12345);
byte[] byteArray0 = new byte[0];
NetworkHandling.sendUdpPacket(evoSuiteLocalAddress0, evoSuiteRemoteAddress0, byteArray0);
SocketUDP socketUDP0 = new SocketUDP(0);
socketUDP0.receiveMessage(0);
int int0 = socketUDP0.getPort();
assertEquals(12345, int0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
SocketUDP socketUDP0 = new SocketUDP(0);
socketUDP0.closeConnection();
assertEquals(0, socketUDP0.getPort());
}
@Test(timeout = 4000)
public void test5() throws Throwable {
SocketUDP socketUDP0 = new SocketUDP(0);
int int0 = socketUDP0.getPort();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
SocketUDP socketUDP0 = new SocketUDP(0);
InetAddress inetAddress0 = socketUDP0.getIp();
assertNull(inetAddress0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 15:52: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 SocketUDP_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "SocketUDP";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp0ameljqk");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SocketUDP_ESTest_scaffolding.class.getClassLoader() ,
"SocketUDP"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SocketUDP_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"SocketUDP"
);
}
}
| 151,136 |
BoardPanelStatus
|
/*
* Copyright (C) 2014 Alfons Wirtz
* website www.freerouting.net
*
* 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 at <http://www.gnu.org/licenses/>
* for more details.
*
* BoardStatusPanel.java
*
* Created on 16. Februar 2005, 08:11
*/
import java.util.Locale;
/**
* Panel at the lower border of the board frame containing amongst others the message line and the
* current layer and cursor position.
*
* @author Alfons Wirtz
*/
@SuppressWarnings("serial")
final class BoardPanelStatus extends javax.swing.JPanel {
final javax.swing.JLabel status_message;
final javax.swing.JLabel add_message;
final javax.swing.JLabel current_layer;
final javax.swing.JLabel mouse_position;
/** Creates a new instance of BoardStatusPanel */
BoardPanelStatus() {
java.util.ResourceBundle resources =
java.util.ResourceBundle.getBundle(
"net.freerouting.freeroute.resources.BoardPanelStatus", Locale.getDefault());
this.setLayout(new java.awt.BorderLayout());
this.setPreferredSize(new java.awt.Dimension(300, 20));
javax.swing.JPanel left_message_panel = new javax.swing.JPanel();
left_message_panel.setLayout(new java.awt.BorderLayout());
status_message = new javax.swing.JLabel();
status_message.setHorizontalAlignment(javax.swing.SwingConstants.CENTER);
status_message.setText(resources.getString("status_line"));
left_message_panel.add(status_message, java.awt.BorderLayout.CENTER);
add_message = new javax.swing.JLabel();
add_message.setText(resources.getString("additional_text_field"));
add_message.setMaximumSize(new java.awt.Dimension(300, 14));
add_message.setMinimumSize(new java.awt.Dimension(140, 14));
add_message.setPreferredSize(new java.awt.Dimension(180, 14));
left_message_panel.add(add_message, java.awt.BorderLayout.EAST);
this.add(left_message_panel, java.awt.BorderLayout.CENTER);
javax.swing.JPanel right_message_panel = new javax.swing.JPanel();
right_message_panel.setLayout(new java.awt.BorderLayout());
right_message_panel.setMinimumSize(new java.awt.Dimension(200, 20));
right_message_panel.setOpaque(false);
right_message_panel.setPreferredSize(new java.awt.Dimension(450, 20));
current_layer = new javax.swing.JLabel();
current_layer.setText(resources.getString("current_layer"));
right_message_panel.add(current_layer, java.awt.BorderLayout.CENTER);
javax.swing.JPanel cursor_panel = new javax.swing.JPanel();
cursor_panel.setLayout(new java.awt.BorderLayout());
cursor_panel.setMinimumSize(new java.awt.Dimension(220, 14));
cursor_panel.setPreferredSize(new java.awt.Dimension(220, 14));
javax.swing.JLabel cursor = new javax.swing.JLabel();
cursor.setHorizontalAlignment(javax.swing.SwingConstants.CENTER);
cursor.setText(resources.getString("cursor"));
cursor.setMaximumSize(new java.awt.Dimension(100, 14));
cursor.setMinimumSize(new java.awt.Dimension(50, 14));
cursor.setPreferredSize(new java.awt.Dimension(50, 14));
cursor_panel.add(cursor, java.awt.BorderLayout.WEST);
mouse_position = new javax.swing.JLabel();
mouse_position.setText("(0,0)");
mouse_position.setMaximumSize(new java.awt.Dimension(170, 14));
mouse_position.setPreferredSize(new java.awt.Dimension(170, 14));
cursor_panel.add(mouse_position, java.awt.BorderLayout.EAST);
right_message_panel.add(cursor_panel, java.awt.BorderLayout.EAST);
this.add(right_message_panel, java.awt.BorderLayout.EAST);
}
}
|
.version 52 0
.class final super BoardPanelStatus
.super javax/swing/JPanel
.field final status_message Ljavax/swing/JLabel;
.field final add_message Ljavax/swing/JLabel;
.field final current_layer Ljavax/swing/JLabel;
.field final mouse_position Ljavax/swing/JLabel;
.method <init> : ()V
.code stack 5 locals 6
L0: aload_0
L1: invokespecial Method javax/swing/JPanel <init> ()V
L4: ldc 'net.freerouting.freeroute.resources.BoardPanelStatus'
L6: invokestatic Method java/util/Locale getDefault ()Ljava/util/Locale;
L9: invokestatic Method java/util/ResourceBundle getBundle (Ljava/lang/String;Ljava/util/Locale;)Ljava/util/ResourceBundle;
L12: astore_1
L13: aload_0
L14: new java/awt/BorderLayout
L17: dup
L18: invokespecial Method java/awt/BorderLayout <init> ()V
L21: invokevirtual Method BoardPanelStatus setLayout (Ljava/awt/LayoutManager;)V
L24: aload_0
L25: new java/awt/Dimension
L28: dup
L29: sipush 300
L32: bipush 20
L34: invokespecial Method java/awt/Dimension <init> (II)V
L37: invokevirtual Method BoardPanelStatus setPreferredSize (Ljava/awt/Dimension;)V
L40: new javax/swing/JPanel
L43: dup
L44: invokespecial Method javax/swing/JPanel <init> ()V
L47: astore_2
L48: aload_2
L49: new java/awt/BorderLayout
L52: dup
L53: invokespecial Method java/awt/BorderLayout <init> ()V
L56: invokevirtual Method javax/swing/JPanel setLayout (Ljava/awt/LayoutManager;)V
L59: aload_0
L60: new javax/swing/JLabel
L63: dup
L64: invokespecial Method javax/swing/JLabel <init> ()V
L67: putfield Field BoardPanelStatus status_message Ljavax/swing/JLabel;
L70: aload_0
L71: getfield Field BoardPanelStatus status_message Ljavax/swing/JLabel;
L74: iconst_0
L75: invokevirtual Method javax/swing/JLabel setHorizontalAlignment (I)V
L78: aload_0
L79: getfield Field BoardPanelStatus status_message Ljavax/swing/JLabel;
L82: aload_1
L83: ldc 'status_line'
L85: invokevirtual Method java/util/ResourceBundle getString (Ljava/lang/String;)Ljava/lang/String;
L88: invokevirtual Method javax/swing/JLabel setText (Ljava/lang/String;)V
L91: aload_2
L92: aload_0
L93: getfield Field BoardPanelStatus status_message Ljavax/swing/JLabel;
L96: ldc 'Center'
L98: invokevirtual Method javax/swing/JPanel add (Ljava/awt/Component;Ljava/lang/Object;)V
L101: aload_0
L102: new javax/swing/JLabel
L105: dup
L106: invokespecial Method javax/swing/JLabel <init> ()V
L109: putfield Field BoardPanelStatus add_message Ljavax/swing/JLabel;
L112: aload_0
L113: getfield Field BoardPanelStatus add_message Ljavax/swing/JLabel;
L116: aload_1
L117: ldc 'additional_text_field'
L119: invokevirtual Method java/util/ResourceBundle getString (Ljava/lang/String;)Ljava/lang/String;
L122: invokevirtual Method javax/swing/JLabel setText (Ljava/lang/String;)V
L125: aload_0
L126: getfield Field BoardPanelStatus add_message Ljavax/swing/JLabel;
L129: new java/awt/Dimension
L132: dup
L133: sipush 300
L136: bipush 14
L138: invokespecial Method java/awt/Dimension <init> (II)V
L141: invokevirtual Method javax/swing/JLabel setMaximumSize (Ljava/awt/Dimension;)V
L144: aload_0
L145: getfield Field BoardPanelStatus add_message Ljavax/swing/JLabel;
L148: new java/awt/Dimension
L151: dup
L152: sipush 140
L155: bipush 14
L157: invokespecial Method java/awt/Dimension <init> (II)V
L160: invokevirtual Method javax/swing/JLabel setMinimumSize (Ljava/awt/Dimension;)V
L163: aload_0
L164: getfield Field BoardPanelStatus add_message Ljavax/swing/JLabel;
L167: new java/awt/Dimension
L170: dup
L171: sipush 180
L174: bipush 14
L176: invokespecial Method java/awt/Dimension <init> (II)V
L179: invokevirtual Method javax/swing/JLabel setPreferredSize (Ljava/awt/Dimension;)V
L182: aload_2
L183: aload_0
L184: getfield Field BoardPanelStatus add_message Ljavax/swing/JLabel;
L187: ldc 'East'
L189: invokevirtual Method javax/swing/JPanel add (Ljava/awt/Component;Ljava/lang/Object;)V
L192: aload_0
L193: aload_2
L194: ldc 'Center'
L196: invokevirtual Method BoardPanelStatus add (Ljava/awt/Component;Ljava/lang/Object;)V
L199: new javax/swing/JPanel
L202: dup
L203: invokespecial Method javax/swing/JPanel <init> ()V
L206: astore_3
L207: aload_3
L208: new java/awt/BorderLayout
L211: dup
L212: invokespecial Method java/awt/BorderLayout <init> ()V
L215: invokevirtual Method javax/swing/JPanel setLayout (Ljava/awt/LayoutManager;)V
L218: aload_3
L219: new java/awt/Dimension
L222: dup
L223: sipush 200
L226: bipush 20
L228: invokespecial Method java/awt/Dimension <init> (II)V
L231: invokevirtual Method javax/swing/JPanel setMinimumSize (Ljava/awt/Dimension;)V
L234: aload_3
L235: iconst_0
L236: invokevirtual Method javax/swing/JPanel setOpaque (Z)V
L239: aload_3
L240: new java/awt/Dimension
L243: dup
L244: sipush 450
L247: bipush 20
L249: invokespecial Method java/awt/Dimension <init> (II)V
L252: invokevirtual Method javax/swing/JPanel setPreferredSize (Ljava/awt/Dimension;)V
L255: aload_0
L256: new javax/swing/JLabel
L259: dup
L260: invokespecial Method javax/swing/JLabel <init> ()V
L263: putfield Field BoardPanelStatus current_layer Ljavax/swing/JLabel;
L266: aload_0
L267: getfield Field BoardPanelStatus current_layer Ljavax/swing/JLabel;
L270: aload_1
L271: ldc 'current_layer'
L273: invokevirtual Method java/util/ResourceBundle getString (Ljava/lang/String;)Ljava/lang/String;
L276: invokevirtual Method javax/swing/JLabel setText (Ljava/lang/String;)V
L279: aload_3
L280: aload_0
L281: getfield Field BoardPanelStatus current_layer Ljavax/swing/JLabel;
L284: ldc 'Center'
L286: invokevirtual Method javax/swing/JPanel add (Ljava/awt/Component;Ljava/lang/Object;)V
L289: new javax/swing/JPanel
L292: dup
L293: invokespecial Method javax/swing/JPanel <init> ()V
L296: astore 4
L298: aload 4
L300: new java/awt/BorderLayout
L303: dup
L304: invokespecial Method java/awt/BorderLayout <init> ()V
L307: invokevirtual Method javax/swing/JPanel setLayout (Ljava/awt/LayoutManager;)V
L310: aload 4
L312: new java/awt/Dimension
L315: dup
L316: sipush 220
L319: bipush 14
L321: invokespecial Method java/awt/Dimension <init> (II)V
L324: invokevirtual Method javax/swing/JPanel setMinimumSize (Ljava/awt/Dimension;)V
L327: aload 4
L329: new java/awt/Dimension
L332: dup
L333: sipush 220
L336: bipush 14
L338: invokespecial Method java/awt/Dimension <init> (II)V
L341: invokevirtual Method javax/swing/JPanel setPreferredSize (Ljava/awt/Dimension;)V
L344: new javax/swing/JLabel
L347: dup
L348: invokespecial Method javax/swing/JLabel <init> ()V
L351: astore 5
L353: aload 5
L355: iconst_0
L356: invokevirtual Method javax/swing/JLabel setHorizontalAlignment (I)V
L359: aload 5
L361: aload_1
L362: ldc 'cursor'
L364: invokevirtual Method java/util/ResourceBundle getString (Ljava/lang/String;)Ljava/lang/String;
L367: invokevirtual Method javax/swing/JLabel setText (Ljava/lang/String;)V
L370: aload 5
L372: new java/awt/Dimension
L375: dup
L376: bipush 100
L378: bipush 14
L380: invokespecial Method java/awt/Dimension <init> (II)V
L383: invokevirtual Method javax/swing/JLabel setMaximumSize (Ljava/awt/Dimension;)V
L386: aload 5
L388: new java/awt/Dimension
L391: dup
L392: bipush 50
L394: bipush 14
L396: invokespecial Method java/awt/Dimension <init> (II)V
L399: invokevirtual Method javax/swing/JLabel setMinimumSize (Ljava/awt/Dimension;)V
L402: aload 5
L404: new java/awt/Dimension
L407: dup
L408: bipush 50
L410: bipush 14
L412: invokespecial Method java/awt/Dimension <init> (II)V
L415: invokevirtual Method javax/swing/JLabel setPreferredSize (Ljava/awt/Dimension;)V
L418: aload 4
L420: aload 5
L422: ldc 'West'
L424: invokevirtual Method javax/swing/JPanel add (Ljava/awt/Component;Ljava/lang/Object;)V
L427: aload_0
L428: new javax/swing/JLabel
L431: dup
L432: invokespecial Method javax/swing/JLabel <init> ()V
L435: putfield Field BoardPanelStatus mouse_position Ljavax/swing/JLabel;
L438: aload_0
L439: getfield Field BoardPanelStatus mouse_position Ljavax/swing/JLabel;
L442: ldc '(0,0)'
L444: invokevirtual Method javax/swing/JLabel setText (Ljava/lang/String;)V
L447: aload_0
L448: getfield Field BoardPanelStatus mouse_position Ljavax/swing/JLabel;
L451: new java/awt/Dimension
L454: dup
L455: sipush 170
L458: bipush 14
L460: invokespecial Method java/awt/Dimension <init> (II)V
L463: invokevirtual Method javax/swing/JLabel setMaximumSize (Ljava/awt/Dimension;)V
L466: aload_0
L467: getfield Field BoardPanelStatus mouse_position Ljavax/swing/JLabel;
L470: new java/awt/Dimension
L473: dup
L474: sipush 170
L477: bipush 14
L479: invokespecial Method java/awt/Dimension <init> (II)V
L482: invokevirtual Method javax/swing/JLabel setPreferredSize (Ljava/awt/Dimension;)V
L485: aload 4
L487: aload_0
L488: getfield Field BoardPanelStatus mouse_position Ljavax/swing/JLabel;
L491: ldc 'East'
L493: invokevirtual Method javax/swing/JPanel add (Ljava/awt/Component;Ljava/lang/Object;)V
L496: aload_3
L497: aload 4
L499: ldc 'East'
L501: invokevirtual Method javax/swing/JPanel add (Ljava/awt/Component;Ljava/lang/Object;)V
L504: aload_0
L505: aload_3
L506: ldc 'East'
L508: invokevirtual Method BoardPanelStatus add (Ljava/awt/Component;Ljava/lang/Object;)V
L511: return
L512:
.linenumbertable
L0 41
L4 42
L6 43
L13 44
L24 45
L40 47
L48 48
L59 50
L70 51
L78 52
L91 53
L101 55
L112 56
L125 57
L144 58
L163 59
L182 60
L192 62
L199 64
L207 65
L218 67
L234 68
L239 69
L255 71
L266 72
L279 73
L289 75
L298 76
L310 77
L327 78
L344 80
L353 81
L359 82
L370 83
L386 84
L402 85
L418 86
L427 88
L438 89
L447 90
L466 91
L485 92
L496 94
L504 96
L511 97
.end linenumbertable
.end code
.end method
.sourcefile 'BoardPanelStatus.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 05:49:51 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.util.MissingResourceException;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class BoardPanelStatus_ESTest extends BoardPanelStatus_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
BoardPanelStatus boardPanelStatus0 = null;
try {
boardPanelStatus0 = new BoardPanelStatus();
fail("Expecting exception: MissingResourceException");
} catch(MissingResourceException e) {
//
// Can't find bundle for base name net.freerouting.freeroute.resources.BoardPanelStatus, locale en
//
verifyException("java.util.ResourceBundle", e);
}
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 05:49: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 BoardPanelStatus_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "BoardPanelStatus";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpqru6o33i");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BoardPanelStatus_ESTest_scaffolding.class.getClassLoader() ,
"BoardPanelStatus"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BoardPanelStatus_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"BoardPanelStatus"
);
}
}
| 151,137 |
SumSeconds
|
import java.util.Scanner;
public class SumSeconds {
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
int timeFirst = Integer.parseInt(sc.nextLine());
int timeSecond = Integer.parseInt(sc.nextLine());
int timeThird = Integer.parseInt(sc.nextLine());
int totalTime = timeFirst + timeSecond + timeThird;
int minutes = totalTime / 60;
int seconds = totalTime % 60;
System.out.printf("%d:%02d", minutes, seconds);
}
}
|
.version 52 0
.class public super SumSeconds
.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 6 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: aload_1
L12: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String;
L15: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I
L18: istore_2
L19: aload_1
L20: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String;
L23: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I
L26: istore_3
L27: aload_1
L28: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String;
L31: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I
L34: istore 4
L36: iload_2
L37: iload_3
L38: iadd
L39: iload 4
L41: iadd
L42: istore 5
L44: iload 5
L46: bipush 60
L48: idiv
L49: istore 6
L51: iload 5
L53: bipush 60
L55: irem
L56: istore 7
L58: getstatic Field java/lang/System out Ljava/io/PrintStream;
L61: ldc '%d:%02d'
L63: iconst_2
L64: anewarray java/lang/Object
L67: dup
L68: iconst_0
L69: iload 6
L71: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L74: aastore
L75: dup
L76: iconst_1
L77: iload 7
L79: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L82: aastore
L83: invokevirtual Method java/io/PrintStream printf (Ljava/lang/String;[Ljava/lang/Object;)Ljava/io/PrintStream;
L86: pop
L87: return
L88:
.linenumbertable
L0 7
L11 9
L19 10
L27 11
L36 13
L44 15
L51 16
L58 18
L87 20
.end linenumbertable
.end code
.end method
.sourcefile 'SumSeconds.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 19:12:31 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.util.NoSuchElementException;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.util.SystemInUtil;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class SumSeconds_ESTest extends SumSeconds_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[2];
SystemInUtil.addInputLine("63");
SystemInUtil.addInputLine("63");
// Undeclared exception!
try {
SumSeconds.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 {
SumSeconds sumSeconds0 = new SumSeconds();
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 19:12: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 SumSeconds_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "SumSeconds";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
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/tmpugsgt7_t");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SumSeconds_ESTest_scaffolding.class.getClassLoader() ,
"SumSeconds"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SumSeconds_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"SumSeconds"
);
}
}
| 151,138 |
DestinationIsOccupiedException
|
/** Created by nsueiro on 09/06/15. */
public class DestinationIsOccupiedException extends Exception {
public String getMessage() {
return "The tile is already occupied";
}
}
|
.version 52 0
.class public super DestinationIsOccupiedException
.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
.method public getMessage : ()Ljava/lang/String;
.code stack 1 locals 1
L0: ldc 'The tile is already occupied'
L2: areturn
L3:
.linenumbertable
L0 8
.end linenumbertable
.end code
.end method
.sourcefile 'DestinationIsOccupiedException.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 20:54: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 DestinationIsOccupiedException_ESTest extends DestinationIsOccupiedException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
DestinationIsOccupiedException destinationIsOccupiedException0 = new DestinationIsOccupiedException();
String string0 = destinationIsOccupiedException0.getMessage();
assertEquals("The tile is already occupied", string0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 20:54: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 DestinationIsOccupiedException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "DestinationIsOccupiedException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpu_yg5xko");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DestinationIsOccupiedException_ESTest_scaffolding.class.getClassLoader() ,
"DestinationIsOccupiedException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DestinationIsOccupiedException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"DestinationIsOccupiedException"
);
}
}
| 151,139 |
SystemConfigurationException
|
/*
* 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.
*/
/**
* An exception to encapsulate issues with system configuration. Examples include the inability to
* find required services (e.g., XML parsing).
*/
public class SystemConfigurationException extends RuntimeException {
private static final long serialVersionUID = -2330515949287155695L;
/**
* Construct a new instance with the specified message.
*
* @param message a descriptive message.
* @see RuntimeException#RuntimeException(java.lang.String)
*/
public SystemConfigurationException(String message) {
super(message);
}
/**
* Construct a new instance with the specified message and a {@link Throwable} that triggered this
* exception.
*
* @param message a descriptive message
* @param cause the cause
* @see RuntimeException#RuntimeException(java.lang.String, java.lang.Throwable)
*/
public SystemConfigurationException(String message, Throwable cause) {
super(message, cause);
}
/**
* Construct a new instance with the specified {@link Throwable} as the root cause.
*
* @param cause the cause
* @see RuntimeException#RuntimeException(java.lang.Throwable)
*/
public SystemConfigurationException(Throwable cause) {
super(cause);
}
}
|
.version 52 0
.class public super SystemConfigurationException
.super java/lang/RuntimeException
.field private static final serialVersionUID J = -2330515949287155695L
.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 37
L5 38
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;Ljava/lang/Throwable;)V
.code stack 3 locals 3
L0: aload_0
L1: aload_1
L2: aload_2
L3: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;Ljava/lang/Throwable;)V
L6: return
L7:
.linenumbertable
L0 52
L6 53
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/Throwable;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/Throwable;)V
L5: return
L6:
.linenumbertable
L0 64
L5 65
.end linenumbertable
.end code
.end method
.sourcefile 'SystemConfigurationException.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 19:16:27 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class SystemConfigurationException_ESTest extends SystemConfigurationException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
SystemConfigurationException systemConfigurationException0 = new SystemConfigurationException((String) null);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
SystemConfigurationException systemConfigurationException0 = new SystemConfigurationException("O?0>c", (Throwable) null);
SystemConfigurationException systemConfigurationException1 = new SystemConfigurationException(systemConfigurationException0);
assertFalse(systemConfigurationException1.equals((Object)systemConfigurationException0));
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 19:16:27 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class SystemConfigurationException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "SystemConfigurationException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpmj4rdaj5");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SystemConfigurationException_ESTest_scaffolding.class.getClassLoader() ,
"SystemConfigurationException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SystemConfigurationException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"SystemConfigurationException"
);
}
}
| 151,140 |
Cell
|
/**
* Copyright 2011 Nube Technologies
*
* <p>Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file
* except in compliance with the License. You may obtain a copy of the License at
*
* <p>http://www.apache.org/licenses/LICENSE-2.0
*
* <p>Unless required by applicable law or agreed to in writing, software distributed under the
* License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either
* express or implied. See the License for the specific language governing permissions and
* limitations under the License.
*/
public class Cell {
private String alias;
private Object value;
public Cell(String alias, Object value) {
super();
this.alias = alias;
this.value = value;
}
public String getAlias() {
return alias;
}
public void setAlias(String alias) {
this.alias = alias;
}
public Object getValue() {
return value;
}
public void setValue(Object value) {
this.value = value;
}
@Override
public String toString() {
return "Cell [Alias=" + alias + ", value=" + value + "]";
}
}
|
.version 52 0
.class public super Cell
.super java/lang/Object
.field private alias Ljava/lang/String;
.field private value Ljava/lang/Object;
.method public <init> : (Ljava/lang/String;Ljava/lang/Object;)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 Cell alias Ljava/lang/String;
L9: aload_0
L10: aload_2
L11: putfield Field Cell value Ljava/lang/Object;
L14: return
L15:
.linenumbertable
L0 23
L4 24
L9 25
L14 26
.end linenumbertable
.end code
.end method
.method public getAlias : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Cell alias Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 29
.end linenumbertable
.end code
.end method
.method public setAlias : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Cell alias Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 33
L5 34
.end linenumbertable
.end code
.end method
.method public getValue : ()Ljava/lang/Object;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Cell value Ljava/lang/Object;
L4: areturn
L5:
.linenumbertable
L0 37
.end linenumbertable
.end code
.end method
.method public setValue : (Ljava/lang/Object;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Cell value Ljava/lang/Object;
L5: return
L6:
.linenumbertable
L0 41
L5 42
.end linenumbertable
.end code
.end method
.method public toString : ()Ljava/lang/String;
.code stack 2 locals 1
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: ldc 'Cell [Alias='
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field Cell alias Ljava/lang/String;
L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L19: ldc ', value='
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: aload_0
L25: getfield Field Cell value Ljava/lang/Object;
L28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)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 46
.end linenumbertable
.end code
.end method
.sourcefile 'Cell.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 12:18:35 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Cell_ESTest extends Cell_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Cell cell0 = new Cell((String) null, (Object) null);
Object object0 = cell0.getValue();
assertNull(object0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Cell cell0 = new Cell((String) null, (Object) null);
String string0 = cell0.getAlias();
assertNull(string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Cell cell0 = new Cell("~", "~");
String string0 = cell0.getAlias();
assertEquals("~", string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Cell cell0 = new Cell("", "");
cell0.setAlias("");
assertEquals("", cell0.getAlias());
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Cell cell0 = new Cell("", "");
String string0 = cell0.getAlias();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Cell cell0 = new Cell("", "");
String string0 = cell0.toString();
assertEquals("Cell [Alias=, value=]", string0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
Cell cell0 = new Cell("", "");
cell0.setValue("");
assertEquals("", cell0.getAlias());
}
@Test(timeout = 4000)
public void test7() throws Throwable {
Cell cell0 = new Cell("", "");
Object object0 = cell0.getValue();
assertEquals("", object0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 12:18:35 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Cell_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Cell";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmprftgpt_r");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Cell_ESTest_scaffolding.class.getClassLoader() ,
"Cell"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Cell_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Cell"
);
}
}
| 151,141 |
MaximumAveragePassRatio
|
import java.io.*;
import java.util.*;
class MaximumAveragePassRatio {
public static void main(String[] args) {
System.out.println("=== 1792. Maximum Average Pass Ratio===");
Solution solution = new Solution();
int[][] classes1 = {{1, 2}, {3, 5}, {2, 2}};
int[][] classes2 = {{2, 4}, {3, 9}, {4, 5}, {2, 10}};
System.out.println("class1 avg = " + solution.maxAverageRatio(classes1, 2));
System.out.println("class2 avg = " + solution.maxAverageRatio(classes2, 4));
}
}
class MaxHeap {
private Node root = null;
public MaxHeap() {
this.root = null;
}
public Node getRoot() {
return root;
}
public Node pushDown(Node oldNode, Node newNode) {
if (newNode == null) {
return oldNode;
} else if (oldNode == null) {
return newNode;
}
if (!oldNode.higher(newNode)) {
if (newNode.left == null || oldNode.getIncr() <= newNode.left.getIncr()) {
newNode.left = pushDown(newNode.left, oldNode);
} else {
newNode.right = pushDown(newNode.right, oldNode);
}
return newNode;
} else {
if (oldNode.left == null || newNode.getIncr() <= oldNode.left.getIncr()) {
oldNode.left = pushDown(oldNode.left, newNode);
} else {
oldNode.right = pushDown(oldNode.right, newNode);
}
return oldNode;
}
}
public void insertNode(Node node) {
if (this.root == null) {
this.root = node;
return;
} else {
this.root = pushDown(this.root, node);
}
}
private void printNode(Node root, int level) {
System.out.println(String.format("level = %d, node=[%s]", level, root.toString()));
if (root.getLeft() != null) {
printNode(root.left, level + 1);
}
if (root.getRight() != null) {
printNode(root.right, level + 1);
}
}
public void print() {
printNode(this.root, 1);
}
public void adjust() {
update(root);
}
public Node update(Node n) {
System.out.println("n = " + n);
print();
if (n == null) {
return n;
}
Node left = n.left;
Node right = n.right;
if (left != null || n.lower(left)) {
n.left = left.getLeft();
n.right = left.getRight();
left.setLeft(update(n));
left.setRight(right);
return update(left);
} else if (right != null && n.lower(right)) {
n.left = right.getLeft();
n.right = right.getRight();
right.setLeft(left);
right.setRight(update(n));
return update(right);
} else {
return n;
}
}
}
class Node {
int pass;
int total;
double incr;
Node left;
Node right;
public Node(int pass, int total) {
this.pass = pass;
this.total = total;
updateIncr();
left = null;
right = null;
}
public boolean higher(Node target) {
return (target == null) || (this.getIncr() > target.getIncr());
}
public boolean lower(Node target) {
return !this.higher(target);
}
public Node getLeft() {
return this.left;
}
public Node getRight() {
return this.right;
}
public void setLeft(Node left) {
this.left = left;
}
public void setRight(Node right) {
this.right = right;
}
public int getPass() {
return pass;
}
public int getTotal() {
return total;
}
public double getIncr() {
return incr;
}
public void updateIncr() {
this.incr = 1.0 * (pass + 1) / (total + 1) - 1.0 * pass / total;
}
public void add(int n) {
this.pass += n;
this.total += n;
updateIncr();
}
public double getRatio() {
return (total == 0) ? 0 : 1.0 * pass / total;
}
public String toString() {
return String.format("(%d, %d, %f)", pass, total, incr);
}
}
class NodeComparator implements Comparator<Node> {
@Override
public int compare(Node p1, Node p2) {
if (p1.getIncr() < p2.getIncr()) {
return 1;
} else if (p1.getIncr() > p2.getIncr()) {
return -1;
} else {
return 0;
}
}
}
class Solution {
private static void printNodes(Node[] nodes) {
System.out.println("-------------");
for (Node p : nodes) {
System.out.println(p);
}
}
// push back the head entry if the incr has decreased
private static void refreshNodes(Node[] nodes) {
for (int i = 0; i < nodes.length - 1; i++) {
if (nodes[i].getIncr() < nodes[i + 1].getIncr()) {
Node tmp = nodes[i];
nodes[i] = nodes[i + 1];
nodes[i + 1] = tmp;
}
}
}
public double maxAverageRatio(int[][] classes, int extraStudents) {
double sum = 0;
double avg = 0;
if (classes.length == 0) {
return 0;
}
Node[] nodes = new Node[classes.length];
for (int i = 0; i < classes.length; i++) {
Node pair = new Node(classes[i][0], classes[i][1]);
nodes[i] = pair;
;
}
// build a binary tree
NodeComparator comp = new NodeComparator();
// Arrays.sort(nodes, comp);
// printNodes(nodes);
// build a heap
MaxHeap maxHeap = new MaxHeap();
for (Node node : nodes) {
maxHeap.insertNode(node);
}
maxHeap.print();
for (int i = 0; i < extraStudents; i++) {
maxHeap.getRoot().add(1);
System.out.println("i = " + i);
maxHeap.adjust();
maxHeap.print();
}
for (Node p : nodes) {
sum += p.getRatio();
}
avg = sum / nodes.length;
return avg;
}
}
|
.version 52 0
.class super MaximumAveragePassRatio
.super java/lang/Object
.method <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 5
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 7 locals 4
L0: getstatic Field java/lang/System out Ljava/io/PrintStream;
L3: ldc '=== 1792. Maximum Average Pass Ratio==='
L5: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L8: new Solution
L11: dup
L12: invokespecial Method Solution <init> ()V
L15: astore_1
L16: iconst_3
L17: anewarray [I
L20: dup
L21: iconst_0
L22: iconst_2
L23: newarray int
L25: dup
L26: iconst_0
L27: iconst_1
L28: iastore
L29: dup
L30: iconst_1
L31: iconst_2
L32: iastore
L33: aastore
L34: dup
L35: iconst_1
L36: iconst_2
L37: newarray int
L39: dup
L40: iconst_0
L41: iconst_3
L42: iastore
L43: dup
L44: iconst_1
L45: iconst_5
L46: iastore
L47: aastore
L48: dup
L49: iconst_2
L50: iconst_2
L51: newarray int
L53: dup
L54: iconst_0
L55: iconst_2
L56: iastore
L57: dup
L58: iconst_1
L59: iconst_2
L60: iastore
L61: aastore
L62: astore_2
L63: iconst_4
L64: anewarray [I
L67: dup
L68: iconst_0
L69: iconst_2
L70: newarray int
L72: dup
L73: iconst_0
L74: iconst_2
L75: iastore
L76: dup
L77: iconst_1
L78: iconst_4
L79: iastore
L80: aastore
L81: dup
L82: iconst_1
L83: iconst_2
L84: newarray int
L86: dup
L87: iconst_0
L88: iconst_3
L89: iastore
L90: dup
L91: iconst_1
L92: bipush 9
L94: iastore
L95: aastore
L96: dup
L97: iconst_2
L98: iconst_2
L99: newarray int
L101: dup
L102: iconst_0
L103: iconst_4
L104: iastore
L105: dup
L106: iconst_1
L107: iconst_5
L108: iastore
L109: aastore
L110: dup
L111: iconst_3
L112: iconst_2
L113: newarray int
L115: dup
L116: iconst_0
L117: iconst_2
L118: iastore
L119: dup
L120: iconst_1
L121: bipush 10
L123: iastore
L124: aastore
L125: astore_3
L126: getstatic Field java/lang/System out Ljava/io/PrintStream;
L129: new java/lang/StringBuilder
L132: dup
L133: invokespecial Method java/lang/StringBuilder <init> ()V
L136: ldc 'class1 avg = '
L138: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L141: aload_1
L142: aload_2
L143: iconst_2
L144: invokevirtual Method Solution maxAverageRatio ([[II)D
L147: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L150: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L153: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L156: getstatic Field java/lang/System out Ljava/io/PrintStream;
L159: new java/lang/StringBuilder
L162: dup
L163: invokespecial Method java/lang/StringBuilder <init> ()V
L166: ldc 'class2 avg = '
L168: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L171: aload_1
L172: aload_3
L173: iconst_4
L174: invokevirtual Method Solution maxAverageRatio ([[II)D
L177: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L180: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L183: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L186: return
L187:
.linenumbertable
L0 9
L8 10
L16 12
L63 13
L126 15
L156 16
L186 17
.end linenumbertable
.end code
.end method
.sourcefile 'MaximumAveragePassRatio.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 18:01:33 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class MaximumAveragePassRatio_ESTest extends MaximumAveragePassRatio_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[0];
// Undeclared exception!
try {
MaximumAveragePassRatio.main(stringArray0);
fail("Expecting exception: NoClassDefFoundError");
} catch(NoClassDefFoundError e) {
//
// Solution
//
verifyException("MaximumAveragePassRatio", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
MaximumAveragePassRatio maximumAveragePassRatio0 = new MaximumAveragePassRatio();
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 18:01: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 MaximumAveragePassRatio_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "MaximumAveragePassRatio";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpmrcax6u0");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MaximumAveragePassRatio_ESTest_scaffolding.class.getClassLoader() ,
"MaximumAveragePassRatio"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MaximumAveragePassRatio_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MaximumAveragePassRatio"
);
}
}
| 151,142 |
MTRenderIds
|
public class MTRenderIds {
public static int FLUDD;
public static int SCUBA;
}
|
.version 52 0
.class public super MTRenderIds
.super java/lang/Object
.field public static FLUDD I
.field public static SCUBA 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
.sourcefile 'MTRenderIds.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 06:54:07 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class MTRenderIds_ESTest extends MTRenderIds_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
MTRenderIds mTRenderIds0 = new MTRenderIds();
assertEquals(0, MTRenderIds.SCUBA);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 06:54:07 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class MTRenderIds_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "MTRenderIds";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpe0rf8t25");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MTRenderIds_ESTest_scaffolding.class.getClassLoader() ,
"MTRenderIds"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MTRenderIds_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MTRenderIds"
);
}
}
| 151,143 |
StringUtils
|
import java.util.ArrayList;
import java.util.List;
import java.util.StringTokenizer;
/**
* Helper for String.
*
* @version 1.0.0
* @author <a href="mailto:angelo.zerr@gmail.com">Angelo ZERR</a>
*/
public class StringUtils {
/**
* Replace <b>oldString</b> occurences with <b>newString</b> occurences of the String <b>line</b>
* and return the result.
*
* @param line
* @param oldString
* @param newString
* @return
*/
public static final String replace(String line, String oldString, String newString) {
int i = 0;
if ((i = line.indexOf(oldString, i)) >= 0) {
char line2[] = line.toCharArray();
char newString2[] = newString.toCharArray();
int oLength = oldString.length();
StringBuffer buf = new StringBuffer(line2.length);
buf.append(line2, 0, i).append(newString2);
i += oLength;
int j;
for (j = i; (i = line.indexOf(oldString, i)) > 0; j = i) {
buf.append(line2, j, i - j).append(newString2);
i += oLength;
}
buf.append(line2, j, line2.length - j);
return buf.toString();
} else {
return line;
}
}
/**
* Split String <b>line</b> with delimiter <b>delim</b> and return result inti array of String.
*
* @param line
* @param delim
* @return
*/
public static String[] split(String line, String delim) {
List list = new ArrayList();
for (StringTokenizer t = new StringTokenizer(line, delim);
t.hasMoreTokens();
list.add(t.nextToken()))
;
return (String[]) list.toArray(new String[list.size()]);
}
/**
* Return true if String value is null or empty.
*
* @param value
* @return
*/
public static boolean isEmpty(String value) {
return (value == null || value.length() < 1);
}
}
|
.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 14
.end linenumbertable
.end code
.end method
.method public static final replace : (Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String;
.code stack 5 locals 9
L0: iconst_0
L1: istore_3
L2: aload_0
L3: aload_1
L4: iload_3
L5: invokevirtual Method java/lang/String indexOf (Ljava/lang/String;I)I
L8: dup
L9: istore_3
L10: iflt L129
L13: aload_0
L14: invokevirtual Method java/lang/String toCharArray ()[C
L17: astore 4
L19: aload_2
L20: invokevirtual Method java/lang/String toCharArray ()[C
L23: astore 5
L25: aload_1
L26: invokevirtual Method java/lang/String length ()I
L29: istore 6
L31: new java/lang/StringBuffer
L34: dup
L35: aload 4
L37: arraylength
L38: invokespecial Method java/lang/StringBuffer <init> (I)V
L41: astore 7
L43: aload 7
L45: aload 4
L47: iconst_0
L48: iload_3
L49: invokevirtual Method java/lang/StringBuffer append ([CII)Ljava/lang/StringBuffer;
L52: aload 5
L54: invokevirtual Method java/lang/StringBuffer append ([C)Ljava/lang/StringBuffer;
L57: pop
L58: iload_3
L59: iload 6
L61: iadd
L62: istore_3
L63: iload_3
L64: istore 8
.stack full
locals Object java/lang/String Object java/lang/String Object java/lang/String Integer Object [C Object [C Integer Object java/lang/StringBuffer Integer
stack
.end stack
L66: aload_0
L67: aload_1
L68: iload_3
L69: invokevirtual Method java/lang/String indexOf (Ljava/lang/String;I)I
L72: dup
L73: istore_3
L74: ifle L107
L77: aload 7
L79: aload 4
L81: iload 8
L83: iload_3
L84: iload 8
L86: isub
L87: invokevirtual Method java/lang/StringBuffer append ([CII)Ljava/lang/StringBuffer;
L90: aload 5
L92: invokevirtual Method java/lang/StringBuffer append ([C)Ljava/lang/StringBuffer;
L95: pop
L96: iload_3
L97: iload 6
L99: iadd
L100: istore_3
L101: iload_3
L102: istore 8
L104: goto L66
.stack same
L107: aload 7
L109: aload 4
L111: iload 8
L113: aload 4
L115: arraylength
L116: iload 8
L118: isub
L119: invokevirtual Method java/lang/StringBuffer append ([CII)Ljava/lang/StringBuffer;
L122: pop
L123: aload 7
L125: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String;
L128: areturn
.stack full
locals Object java/lang/String Object java/lang/String Object java/lang/String Integer
stack
.end stack
L129: aload_0
L130: areturn
L131:
.linenumbertable
L0 27
L2 28
L13 29
L19 30
L25 31
L31 32
L43 33
L58 34
L63 36
L77 37
L96 38
L101 36
L107 41
L123 42
L129 44
.end linenumbertable
.end code
.end method
.method public static split : (Ljava/lang/String;Ljava/lang/String;)[Ljava/lang/String;
.code stack 4 locals 4
L0: new java/util/ArrayList
L3: dup
L4: invokespecial Method java/util/ArrayList <init> ()V
L7: astore_2
L8: new java/util/StringTokenizer
L11: dup
L12: aload_0
L13: aload_1
L14: invokespecial Method java/util/StringTokenizer <init> (Ljava/lang/String;Ljava/lang/String;)V
L17: astore_3
.stack append Object java/util/List Object java/util/StringTokenizer
L18: aload_3
L19: invokevirtual Method java/util/StringTokenizer hasMoreTokens ()Z
L22: ifeq L39
L25: aload_2
L26: aload_3
L27: invokevirtual Method java/util/StringTokenizer nextToken ()Ljava/lang/String;
L30: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L35: pop
L36: goto L18
.stack chop 1
L39: aload_2
L40: aload_2
L41: invokeinterface InterfaceMethod java/util/List size ()I 1
L46: anewarray java/lang/String
L49: invokeinterface InterfaceMethod java/util/List toArray ([Ljava/lang/Object;)[Ljava/lang/Object; 2
L54: checkcast [Ljava/lang/String;
L57: checkcast [Ljava/lang/String;
L60: areturn
L61:
.linenumbertable
L0 57
L8 58
L18 59
L39 61
.end linenumbertable
.end code
.end method
.method public static isEmpty : (Ljava/lang/String;)Z
.code stack 2 locals 1
L0: aload_0
L1: ifnull L12
L4: aload_0
L5: invokevirtual Method java/lang/String length ()I
L8: iconst_1
L9: if_icmpge L16
.stack same
L12: iconst_1
L13: goto L17
.stack same
L16: iconst_0
.stack stack_1 Integer
L17: ireturn
L18:
.linenumbertable
L0 71
.end linenumbertable
.end code
.end method
.sourcefile 'StringUtils.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 11:10: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 StringUtils_ESTest extends StringUtils_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
StringUtils.replace("p|T(d0?K!o}w)p", "p|T(d0?K!o}w)p", "");
StringUtils.replace("", "", "");
StringUtils.replace("", "p|T(d0?K!o}w)p", "");
StringUtils.isEmpty("");
StringUtils.split("", "");
StringUtils stringUtils0 = new StringUtils();
}
@Test(timeout = 4000)
public void test1() throws Throwable {
StringUtils.replace("p|T(d0?K!o}w)p", "p|T(d0?K!o}w)p", "");
StringUtils.replace("", "p|T(d0?K!o}w)p", "");
StringUtils.isEmpty("");
StringUtils.split("", "");
StringUtils stringUtils0 = new StringUtils();
}
@Test(timeout = 4000)
public void test2() throws Throwable {
boolean boolean0 = StringUtils.isEmpty("Sh5Wx`7vC-!d4T)5}");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
boolean boolean0 = StringUtils.isEmpty((String) null);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
String[] stringArray0 = StringUtils.split(";{zqA9>zAmxzolW", "");
assertEquals(1, stringArray0.length);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
StringUtils.replace("", "", "");
StringUtils.split(";{zqA9>zAmxzolW", "");
boolean boolean0 = StringUtils.isEmpty((String) null);
assertTrue(boolean0);
StringUtils stringUtils0 = new StringUtils();
StringUtils.replace("U=rRGKXDKG;stXq", "> Y*wVKUs", "L(P");
String string0 = StringUtils.replace("&/|^Ym>!gDaAP`;v", "", ";{zqA9>zAmxzolW");
assertEquals(";{zqA9>zAmxzolW&/|^Ym>!gDaAP`;v", string0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
StringUtils.replace("U=rRGKXDKG;stXq", "> Y*wVKUs", "L(P");
String string0 = StringUtils.replace("&/|^Ym>!gDaAP`;v", "", ";{zqA9>zAmxzolW");
assertEquals(";{zqA9>zAmxzolW&/|^Ym>!gDaAP`;v", string0);
StringUtils.split("", "");
boolean boolean0 = StringUtils.isEmpty((String) null);
assertTrue(boolean0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 11:10: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 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/tmpolg03gte");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.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"
);
}
}
| 151,144 |
RatesOfForgetting
|
/*
Copyright 2006 Timothy Curchod Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License.
*/
import java.util.Vector;
/**
* This _bean_ has do do more than most. The rate of forgetting information requires more inside its
* methods.
*
* <p>There are reading, writing, and eventually speaking and listening types.
*
* <p>There are the number of allowed levels: now 0-3 (these should really be from the users options
* file)
*
* <p>Then the rates are stored as milliseconds.
*/
public class RatesOfForgetting {
private Vector reading_rate_of_forgetting;
private Vector writing_rate_of_forgetting;
public RatesOfForgetting() {}
public void setReadingRateOfForgetting(Vector _reading_rate_of_forgetting) {
reading_rate_of_forgetting = _reading_rate_of_forgetting;
}
public Vector getReadingRateOfForgetting() {
return reading_rate_of_forgetting;
}
public void setWritingRateOfForgetting(Vector _writing_rate_of_forgetting) {
writing_rate_of_forgetting = _writing_rate_of_forgetting;
}
public Vector getWritingRateOfForgetting() {
return writing_rate_of_forgetting;
}
public void setSpecificRateOfForgetting(
int level, String type, String _specific_rate_of_forgetting) {
if (type.equals("reading")) {
reading_rate_of_forgetting.set(level, _specific_rate_of_forgetting);
} else if (type.equals("writing")) {
writing_rate_of_forgetting.set(level, _specific_rate_of_forgetting);
}
}
public String getSpecificRateOfForgetting(int level, String type) {
String specific_rate_of_forgetting = new String();
if (type.equals("reading")) {
specific_rate_of_forgetting = (String) reading_rate_of_forgetting.get(level);
} else if (type.equals("writing")) {
specific_rate_of_forgetting = (String) writing_rate_of_forgetting.get(level);
}
return specific_rate_of_forgetting;
}
}
|
.version 52 0
.class public super RatesOfForgetting
.super java/lang/Object
.field private reading_rate_of_forgetting Ljava/util/Vector;
.field private writing_rate_of_forgetting Ljava/util/Vector;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 21
.end linenumbertable
.end code
.end method
.method public setReadingRateOfForgetting : (Ljava/util/Vector;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field RatesOfForgetting reading_rate_of_forgetting Ljava/util/Vector;
L5: return
L6:
.linenumbertable
L0 25
L5 26
.end linenumbertable
.end code
.end method
.method public getReadingRateOfForgetting : ()Ljava/util/Vector;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field RatesOfForgetting reading_rate_of_forgetting Ljava/util/Vector;
L4: areturn
L5:
.linenumbertable
L0 30
.end linenumbertable
.end code
.end method
.method public setWritingRateOfForgetting : (Ljava/util/Vector;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field RatesOfForgetting writing_rate_of_forgetting Ljava/util/Vector;
L5: return
L6:
.linenumbertable
L0 35
L5 36
.end linenumbertable
.end code
.end method
.method public getWritingRateOfForgetting : ()Ljava/util/Vector;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field RatesOfForgetting writing_rate_of_forgetting Ljava/util/Vector;
L4: areturn
L5:
.linenumbertable
L0 40
.end linenumbertable
.end code
.end method
.method public setSpecificRateOfForgetting : (ILjava/lang/String;Ljava/lang/String;)V
.code stack 3 locals 4
L0: aload_2
L1: ldc 'reading'
L3: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L6: ifeq L22
L9: aload_0
L10: getfield Field RatesOfForgetting reading_rate_of_forgetting Ljava/util/Vector;
L13: iload_1
L14: aload_3
L15: invokevirtual Method java/util/Vector set (ILjava/lang/Object;)Ljava/lang/Object;
L18: pop
L19: goto L41
.stack same
L22: aload_2
L23: ldc 'writing'
L25: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L28: ifeq L41
L31: aload_0
L32: getfield Field RatesOfForgetting writing_rate_of_forgetting Ljava/util/Vector;
L35: iload_1
L36: aload_3
L37: invokevirtual Method java/util/Vector set (ILjava/lang/Object;)Ljava/lang/Object;
L40: pop
.stack same
L41: return
L42:
.linenumbertable
L0 45
L9 47
L22 48
L31 50
L41 52
.end linenumbertable
.end code
.end method
.method public getSpecificRateOfForgetting : (ILjava/lang/String;)Ljava/lang/String;
.code stack 2 locals 4
L0: new java/lang/String
L3: dup
L4: invokespecial Method java/lang/String <init> ()V
L7: astore_3
L8: aload_2
L9: ldc 'reading'
L11: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L14: ifeq L32
L17: aload_0
L18: getfield Field RatesOfForgetting reading_rate_of_forgetting Ljava/util/Vector;
L21: iload_1
L22: invokevirtual Method java/util/Vector get (I)Ljava/lang/Object;
L25: checkcast java/lang/String
L28: astore_3
L29: goto L53
.stack append Object java/lang/String
L32: aload_2
L33: ldc 'writing'
L35: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L38: ifeq L53
L41: aload_0
L42: getfield Field RatesOfForgetting writing_rate_of_forgetting Ljava/util/Vector;
L45: iload_1
L46: invokevirtual Method java/util/Vector get (I)Ljava/lang/Object;
L49: checkcast java/lang/String
L52: astore_3
.stack same
L53: aload_3
L54: areturn
L55:
.linenumbertable
L0 56
L8 57
L17 59
L32 60
L41 62
L53 64
.end linenumbertable
.end code
.end method
.sourcefile 'RatesOfForgetting.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 23:01:29 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.util.Vector;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class RatesOfForgetting_ESTest extends RatesOfForgetting_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
RatesOfForgetting ratesOfForgetting0 = new RatesOfForgetting();
ratesOfForgetting0.getSpecificRateOfForgetting(0, ")50s=W);@");
ratesOfForgetting0.setSpecificRateOfForgetting(0, ")50s=W);@", "");
ratesOfForgetting0.getSpecificRateOfForgetting(0, "(w'");
Vector<String> vector0 = new Vector<String>();
vector0.add("(w'");
ratesOfForgetting0.setReadingRateOfForgetting(vector0);
ratesOfForgetting0.getSpecificRateOfForgetting(0, "reading");
Vector vector1 = ratesOfForgetting0.getWritingRateOfForgetting();
assertNull(vector1);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
RatesOfForgetting ratesOfForgetting0 = new RatesOfForgetting();
Vector<String> vector0 = null;
ratesOfForgetting0.setReadingRateOfForgetting((Vector) null);
ratesOfForgetting0.getSpecificRateOfForgetting(10661, "{.");
// Undeclared exception!
try {
ratesOfForgetting0.getSpecificRateOfForgetting(31466, "writing");
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("RatesOfForgetting", e);
}
}
@Test(timeout = 4000)
public void test2() throws Throwable {
RatesOfForgetting ratesOfForgetting0 = new RatesOfForgetting();
ratesOfForgetting0.getReadingRateOfForgetting();
ratesOfForgetting0.setWritingRateOfForgetting((Vector) null);
ratesOfForgetting0.getSpecificRateOfForgetting((-28963), "");
ratesOfForgetting0.setReadingRateOfForgetting((Vector) null);
ratesOfForgetting0.getWritingRateOfForgetting();
ratesOfForgetting0.setWritingRateOfForgetting((Vector) null);
ratesOfForgetting0.getReadingRateOfForgetting();
ratesOfForgetting0.setSpecificRateOfForgetting((-28963), "", "-\u0000,u");
String string0 = ratesOfForgetting0.getSpecificRateOfForgetting((-28963), "oDP");
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
RatesOfForgetting ratesOfForgetting0 = new RatesOfForgetting();
// Undeclared exception!
try {
ratesOfForgetting0.setSpecificRateOfForgetting(70666, "writing", "eA");
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("RatesOfForgetting", e);
}
}
@Test(timeout = 4000)
public void test4() throws Throwable {
RatesOfForgetting ratesOfForgetting0 = new RatesOfForgetting();
ratesOfForgetting0.setSpecificRateOfForgetting(1, "NSY", "NSY");
// Undeclared exception!
try {
ratesOfForgetting0.setSpecificRateOfForgetting(0, "reading", "");
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("RatesOfForgetting", e);
}
}
@Test(timeout = 4000)
public void test5() throws Throwable {
RatesOfForgetting ratesOfForgetting0 = new RatesOfForgetting();
Vector<String> vector0 = new Vector<String>();
vector0.add("");
ratesOfForgetting0.setWritingRateOfForgetting(vector0);
Vector vector1 = ratesOfForgetting0.getWritingRateOfForgetting();
assertEquals("[]", vector1.toString());
}
@Test(timeout = 4000)
public void test6() throws Throwable {
RatesOfForgetting ratesOfForgetting0 = new RatesOfForgetting();
Vector<String> vector0 = new Vector<String>();
Vector<String> vector1 = new Vector<String>(vector0);
ratesOfForgetting0.setWritingRateOfForgetting(vector1);
Vector vector2 = ratesOfForgetting0.getWritingRateOfForgetting();
assertEquals("[]", vector2.toString());
}
@Test(timeout = 4000)
public void test7() throws Throwable {
RatesOfForgetting ratesOfForgetting0 = new RatesOfForgetting();
Vector<String> vector0 = new Vector<String>();
vector0.add("RatesOfForgetting");
ratesOfForgetting0.setReadingRateOfForgetting(vector0);
Vector vector1 = ratesOfForgetting0.getReadingRateOfForgetting();
assertEquals(1, vector1.size());
}
@Test(timeout = 4000)
public void test8() throws Throwable {
RatesOfForgetting ratesOfForgetting0 = new RatesOfForgetting();
Vector<Integer> vector0 = new Vector<Integer>();
vector0.trimToSize();
ratesOfForgetting0.setReadingRateOfForgetting(vector0);
Vector vector1 = ratesOfForgetting0.getReadingRateOfForgetting();
assertEquals(0, vector1.capacity());
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 23:01:29 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class RatesOfForgetting_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "RatesOfForgetting";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpmo3ic4fb");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(RatesOfForgetting_ESTest_scaffolding.class.getClassLoader() ,
"RatesOfForgetting"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RatesOfForgetting_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"RatesOfForgetting"
);
}
}
| 151,145 |
UuidUtils
|
import java.nio.ByteBuffer;
import java.util.UUID;
import java.util.regex.Pattern;
/** Utilities for converting UUIDs into different formats. */
public class UuidUtils {
private static final String UUID_VALID_PATTERN =
"\\{?\\p{XDigit}{8}-\\p{XDigit}{4}-\\p{XDigit}{4}-\\p{XDigit}{4}-\\p{XDigit}{12}\\}?";
private static final Pattern validPattern =
Pattern.compile(UUID_VALID_PATTERN, Pattern.CASE_INSENSITIVE);
private static final char DELIMITER = '-';
private UuidUtils() {}
/**
* Generates a UUID from an array of bytes.
*
* @param value array of bytes to convert.
* @return UUID value.
*/
public static UUID fromBytes(byte[] value) {
if (value == null || value.length != 16) {
throw new IllegalArgumentException();
}
int counter = 0;
long mostSignificant = 0;
for (; counter < 8; counter++) {
mostSignificant = (mostSignificant << 8) | (value[counter] & 0xFF);
}
long leastSignificant = 0;
for (; counter < 16; counter++) {
leastSignificant = (leastSignificant << 8) | (value[counter] & 0xFF);
}
return new UUID(mostSignificant, leastSignificant);
}
/**
* Converts a UUID object into a byte array.
*
* @param uuid UUID object to convert.
* @return byte array containing dashes.
*/
public static byte[] toBytes(UUID uuid) {
ByteBuffer buffer = ByteBuffer.wrap(new byte[16]);
buffer.putLong(uuid.getMostSignificantBits());
buffer.putLong(uuid.getLeastSignificantBits());
return buffer.array();
}
/**
* Generates a UUID from a String without dashes.
*
* @param value String value without dashes.
* @return UUID value.
*/
public static UUID fromNonDashString(String value) {
if (value == null || value.length() != 32) {
throw new IllegalArgumentException();
}
int counter = 0;
char[] uuidChars = new char[36];
char[] valueChars = value.toCharArray();
for (int i = 0; i < valueChars.length; i++) {
if (i == 8 || i == 12 || i == 16 || i == 20) {
uuidChars[counter] = DELIMITER;
counter++;
}
uuidChars[counter] = valueChars[i];
counter++;
}
return UUID.fromString(new String(uuidChars));
}
/**
* Generates a String without dashes from a UUID.
*
* @param uuid UUID value to convert.
* @return String representation without dashes.
*/
public static String toNonDashString(UUID uuid) {
if (uuid == null) {
throw new IllegalArgumentException();
}
long mostSignificant = uuid.getMostSignificantBits();
long leastSignificant = uuid.getLeastSignificantBits();
return getDigits(mostSignificant >> 32, 8)
+ getDigits(mostSignificant >> 16, 4)
+ getDigits(mostSignificant, 4)
+ getDigits(leastSignificant >> 48, 4)
+ getDigits(leastSignificant, 12);
}
/**
* Validates the format of a String representing a UUID.
*
* @param value String representation of a UUID.
* @return true if the String could be converted to a UUID, false if not.
*/
public static boolean isStringValidUuid(String value) {
return validPattern.matcher(value).matches();
}
/**
* Internal method to retrieve hex digit values from a value.
*
* @param value value to perform bitwise operations on.
* @param digits digit position.
* @return String representation of the hex value.
*/
private static String getDigits(long value, int digits) {
long hi = 1L << (digits * 4);
return Long.toHexString(hi | (value & (hi - 1))).substring(1);
}
}
|
.version 52 0
.class public super UuidUtils
.super java/lang/Object
.field private static final UUID_VALID_PATTERN Ljava/lang/String; = '\\{?\\p{XDigit}{8}-\\p{XDigit}{4}-\\p{XDigit}{4}-\\p{XDigit}{4}-\\p{XDigit}{12}\\}?'
.field private static final validPattern Ljava/util/regex/Pattern;
.field private static final DELIMITER C = 45
.method private <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 17
L4 18
.end linenumbertable
.end code
.end method
.method public static fromBytes : ([B)Ljava/util/UUID;
.code stack 6 locals 6
L0: aload_0
L1: ifnull L11
L4: aload_0
L5: arraylength
L6: bipush 16
L8: if_icmpeq L19
.stack same
L11: new java/lang/IllegalArgumentException
L14: dup
L15: invokespecial Method java/lang/IllegalArgumentException <init> ()V
L18: athrow
.stack same
L19: iconst_0
L20: istore_1
L21: lconst_0
L22: lstore_2
.stack append Integer Long
L23: iload_1
L24: bipush 8
L26: if_icmpge L49
L29: lload_2
L30: bipush 8
L32: lshl
L33: aload_0
L34: iload_1
L35: baload
L36: sipush 255
L39: iand
L40: i2l
L41: lor
L42: lstore_2
L43: iinc 1 1
L46: goto L23
.stack same
L49: lconst_0
L50: lstore 4
.stack append Long
L52: iload_1
L53: bipush 16
L55: if_icmpge L80
L58: lload 4
L60: bipush 8
L62: lshl
L63: aload_0
L64: iload_1
L65: baload
L66: sipush 255
L69: iand
L70: i2l
L71: lor
L72: lstore 4
L74: iinc 1 1
L77: goto L52
.stack same
L80: new java/util/UUID
L83: dup
L84: lload_2
L85: lload 4
L87: invokespecial Method java/util/UUID <init> (JJ)V
L90: areturn
L91:
.linenumbertable
L0 27
L11 28
L19 30
L21 31
L23 32
L29 33
L43 32
L49 35
L52 36
L58 37
L74 36
L80 39
.end linenumbertable
.end code
.end method
.method public static toBytes : (Ljava/util/UUID;)[B
.code stack 3 locals 2
L0: bipush 16
L2: newarray byte
L4: invokestatic Method java/nio/ByteBuffer wrap ([B)Ljava/nio/ByteBuffer;
L7: astore_1
L8: aload_1
L9: aload_0
L10: invokevirtual Method java/util/UUID getMostSignificantBits ()J
L13: invokevirtual Method java/nio/ByteBuffer putLong (J)Ljava/nio/ByteBuffer;
L16: pop
L17: aload_1
L18: aload_0
L19: invokevirtual Method java/util/UUID getLeastSignificantBits ()J
L22: invokevirtual Method java/nio/ByteBuffer putLong (J)Ljava/nio/ByteBuffer;
L25: pop
L26: aload_1
L27: invokevirtual Method java/nio/ByteBuffer array ()[B
L30: areturn
L31:
.linenumbertable
L0 49
L8 50
L17 51
L26 52
.end linenumbertable
.end code
.end method
.method public static fromNonDashString : (Ljava/lang/String;)Ljava/util/UUID;
.code stack 4 locals 5
L0: aload_0
L1: ifnull L13
L4: aload_0
L5: invokevirtual Method java/lang/String length ()I
L8: bipush 32
L10: if_icmpeq L21
.stack same
L13: new java/lang/IllegalArgumentException
L16: dup
L17: invokespecial Method java/lang/IllegalArgumentException <init> ()V
L20: athrow
.stack same
L21: iconst_0
L22: istore_1
L23: bipush 36
L25: newarray char
L27: astore_2
L28: aload_0
L29: invokevirtual Method java/lang/String toCharArray ()[C
L32: astore_3
L33: iconst_0
L34: istore 4
.stack full
locals Object java/lang/String Integer Object [C Object [C Integer
stack
.end stack
L36: iload 4
L38: aload_3
L39: arraylength
L40: if_icmpge L95
L43: iload 4
L45: bipush 8
L47: if_icmpeq L71
L50: iload 4
L52: bipush 12
L54: if_icmpeq L71
L57: iload 4
L59: bipush 16
L61: if_icmpeq L71
L64: iload 4
L66: bipush 20
L68: if_icmpne L79
.stack same
L71: aload_2
L72: iload_1
L73: bipush 45
L75: castore
L76: iinc 1 1
.stack same
L79: aload_2
L80: iload_1
L81: aload_3
L82: iload 4
L84: caload
L85: castore
L86: iinc 1 1
L89: iinc 4 1
L92: goto L36
.stack chop 1
L95: new java/lang/String
L98: dup
L99: aload_2
L100: invokespecial Method java/lang/String <init> ([C)V
L103: invokestatic Method java/util/UUID fromString (Ljava/lang/String;)Ljava/util/UUID;
L106: areturn
L107:
.linenumbertable
L0 62
L13 63
L21 65
L23 66
L28 67
L33 68
L43 69
L71 70
L76 71
L79 73
L86 74
L89 68
L95 76
.end linenumbertable
.end code
.end method
.method public static toNonDashString : (Ljava/util/UUID;)Ljava/lang/String;
.code stack 4 locals 5
L0: aload_0
L1: ifnonnull L12
L4: new java/lang/IllegalArgumentException
L7: dup
L8: invokespecial Method java/lang/IllegalArgumentException <init> ()V
L11: athrow
.stack same
L12: aload_0
L13: invokevirtual Method java/util/UUID getMostSignificantBits ()J
L16: lstore_1
L17: aload_0
L18: invokevirtual Method java/util/UUID getLeastSignificantBits ()J
L21: lstore_3
L22: new java/lang/StringBuilder
L25: dup
L26: invokespecial Method java/lang/StringBuilder <init> ()V
L29: lload_1
L30: bipush 32
L32: lshr
L33: bipush 8
L35: invokestatic Method UuidUtils getDigits (JI)Ljava/lang/String;
L38: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L41: lload_1
L42: bipush 16
L44: lshr
L45: iconst_4
L46: invokestatic Method UuidUtils getDigits (JI)Ljava/lang/String;
L49: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L52: lload_1
L53: iconst_4
L54: invokestatic Method UuidUtils getDigits (JI)Ljava/lang/String;
L57: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L60: lload_3
L61: bipush 48
L63: lshr
L64: iconst_4
L65: invokestatic Method UuidUtils getDigits (JI)Ljava/lang/String;
L68: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L71: lload_3
L72: bipush 12
L74: invokestatic Method UuidUtils getDigits (JI)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: areturn
L84:
.linenumbertable
L0 86
L4 87
L12 89
L17 90
L22 91
L46 92
L54 93
L65 94
L74 95
L83 91
.end linenumbertable
.end code
.end method
.method public static isStringValidUuid : (Ljava/lang/String;)Z
.code stack 2 locals 1
L0: getstatic Field UuidUtils validPattern Ljava/util/regex/Pattern;
L3: aload_0
L4: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher;
L7: invokevirtual Method java/util/regex/Matcher matches ()Z
L10: ireturn
L11:
.linenumbertable
L0 105
.end linenumbertable
.end code
.end method
.method private static getDigits : (JI)Ljava/lang/String;
.code stack 8 locals 5
L0: lconst_1
L1: iload_2
L2: iconst_4
L3: imul
L4: lshl
L5: lstore_3
L6: lload_3
L7: lload_0
L8: lload_3
L9: lconst_1
L10: lsub
L11: land
L12: lor
L13: invokestatic Method java/lang/Long toHexString (J)Ljava/lang/String;
L16: iconst_1
L17: invokevirtual Method java/lang/String substring (I)Ljava/lang/String;
L20: areturn
L21:
.linenumbertable
L0 116
L6 117
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 2 locals 0
L0: ldc '\\{?\\p{XDigit}{8}-\\p{XDigit}{4}-\\p{XDigit}{4}-\\p{XDigit}{4}-\\p{XDigit}{12}\\}?'
L2: iconst_2
L3: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;I)Ljava/util/regex/Pattern;
L6: putstatic Field UuidUtils validPattern Ljava/util/regex/Pattern;
L9: return
L10:
.linenumbertable
L0 14
.end linenumbertable
.end code
.end method
.sourcefile 'UuidUtils.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 00:00:06 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.util.UUID;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.mock.java.util.MockUUID;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class UuidUtils_ESTest extends UuidUtils_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
// Undeclared exception!
try {
UuidUtils.fromNonDashString((String) null);
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("UuidUtils", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
// Undeclared exception!
try {
UuidUtils.toNonDashString((UUID) null);
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("UuidUtils", e);
}
}
@Test(timeout = 4000)
public void test2() throws Throwable {
String string0 = "W";
// Undeclared exception!
try {
UuidUtils.fromNonDashString("W");
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("UuidUtils", e);
}
}
@Test(timeout = 4000)
public void test3() throws Throwable {
byte[] byteArray0 = new byte[1];
byteArray0[0] = (byte)0;
// Undeclared exception!
try {
UuidUtils.fromBytes(byteArray0);
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("UuidUtils", e);
}
}
@Test(timeout = 4000)
public void test4() throws Throwable {
UUID uUID0 = MockUUID.fromString("UuidUtils");
UuidUtils.toNonDashString(uUID0);
byte[] byteArray0 = null;
// Undeclared exception!
try {
UuidUtils.fromBytes((byte[]) null);
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("UuidUtils", e);
}
}
@Test(timeout = 4000)
public void test5() throws Throwable {
byte[] byteArray0 = new byte[5];
byteArray0[0] = (byte)0;
byteArray0[1] = (byte)0;
byteArray0[2] = (byte)0;
byteArray0[3] = (byte)0;
byteArray0[4] = (byte)0;
// Undeclared exception!
try {
UuidUtils.fromBytes(byteArray0);
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("UuidUtils", e);
}
}
@Test(timeout = 4000)
public void test6() throws Throwable {
UuidUtils.isStringValidUuid("C7%Yza4lsV4");
UuidUtils.isStringValidUuid("|xjC?>~Y");
UUID uUID0 = MockUUID.randomUUID();
UuidUtils.toNonDashString(uUID0);
UuidUtils.toNonDashString(uUID0);
byte[] byteArray0 = new byte[4];
byteArray0[0] = (byte) (-1);
byteArray0[1] = (byte)71;
byteArray0[2] = (byte) (-1);
byteArray0[3] = (byte) (-2);
// Undeclared exception!
try {
UuidUtils.fromBytes(byteArray0);
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("UuidUtils", e);
}
}
@Test(timeout = 4000)
public void test7() throws Throwable {
UUID uUID0 = MockUUID.fromString("MF (x[`]P_~T");
UuidUtils.toNonDashString(uUID0);
UuidUtils.toNonDashString(uUID0);
byte[] byteArray0 = UuidUtils.toBytes(uUID0);
UUID uUID1 = UuidUtils.fromNonDashString("00000000010040008200000003000000");
UuidUtils.toBytes(uUID1);
UuidUtils.isStringValidUuid("00000000010040008200000003000000");
// Undeclared exception!
try {
UuidUtils.fromBytes(byteArray0);
fail("Expecting exception: NoSuchMethodError");
} catch(NoSuchMethodError e) {
//
// org.evosuite.runtime.mock.java.util.MockUUID.UUID(JJ)Ljava/util/UUID;
//
verifyException("UuidUtils", e);
}
}
@Test(timeout = 4000)
public void test8() throws Throwable {
String string0 = "";
// Undeclared exception!
try {
UuidUtils.fromNonDashString("");
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("UuidUtils", e);
}
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 00:00: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 UuidUtils_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "UuidUtils";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpw1h7j1op");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(UuidUtils_ESTest_scaffolding.class.getClassLoader() ,
"UuidUtils"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UuidUtils_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"UuidUtils"
);
}
}
| 151,146 |
BasicAuthenticator
|
/*
* Copyright (C) 2015 puku0x
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
import java.net.Authenticator;
import java.net.PasswordAuthentication;
/** BASIC認証用 */
public class BasicAuthenticator extends Authenticator {
private String password;
private String user;
public BasicAuthenticator(String user, String password) {
this.password = password;
this.user = user;
}
@Override
protected PasswordAuthentication getPasswordAuthentication() {
return new PasswordAuthentication(user, password.toCharArray());
}
}
|
.version 52 0
.class public super BasicAuthenticator
.super java/net/Authenticator
.field private password Ljava/lang/String;
.field private user 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/net/Authenticator <init> ()V
L4: aload_0
L5: aload_2
L6: putfield Field BasicAuthenticator password Ljava/lang/String;
L9: aload_0
L10: aload_1
L11: putfield Field BasicAuthenticator user Ljava/lang/String;
L14: return
L15:
.linenumbertable
L0 29
L4 30
L9 31
L14 32
.end linenumbertable
.end code
.end method
.method protected getPasswordAuthentication : ()Ljava/net/PasswordAuthentication;
.code stack 4 locals 1
L0: new java/net/PasswordAuthentication
L3: dup
L4: aload_0
L5: getfield Field BasicAuthenticator user Ljava/lang/String;
L8: aload_0
L9: getfield Field BasicAuthenticator password Ljava/lang/String;
L12: invokevirtual Method java/lang/String toCharArray ()[C
L15: invokespecial Method java/net/PasswordAuthentication <init> (Ljava/lang/String;[C)V
L18: areturn
L19:
.linenumbertable
L0 36
.end linenumbertable
.end code
.end method
.sourcefile 'BasicAuthenticator.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 15:26:08 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.net.PasswordAuthentication;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class BasicAuthenticator_ESTest extends BasicAuthenticator_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
BasicAuthenticator basicAuthenticator0 = new BasicAuthenticator("", "");
PasswordAuthentication passwordAuthentication0 = basicAuthenticator0.getPasswordAuthentication();
assertEquals("", passwordAuthentication0.getUserName());
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 15:26: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 BasicAuthenticator_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "BasicAuthenticator";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmphi25kelp");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BasicAuthenticator_ESTest_scaffolding.class.getClassLoader() ,
"BasicAuthenticator"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BasicAuthenticator_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"BasicAuthenticator"
);
}
}
| 151,147 |
Tech
|
public class Tech {
private int id;
private String name;
public int getId() {
return id;
}
public void setId(int id) {
this.id = id;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
}
|
.version 52 0
.class public super Tech
.super java/lang/Object
.field private id I
.field private name Ljava/lang/String;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 3
.end linenumbertable
.end code
.end method
.method public getId : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Tech id I
L4: ireturn
L5:
.linenumbertable
L0 8
.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 Tech id I
L5: return
L6:
.linenumbertable
L0 12
L5 13
.end linenumbertable
.end code
.end method
.method public getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Tech name Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 16
.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 Tech name Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 20
L5 21
.end linenumbertable
.end code
.end method
.sourcefile 'Tech.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 03:19: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 Tech_ESTest extends Tech_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Tech tech0 = new Tech();
tech0.setName("'N5-'1NWGXSIFd/#LT");
String string0 = tech0.getName();
assertEquals("'N5-'1NWGXSIFd/#LT", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Tech tech0 = new Tech();
tech0.setName("");
String string0 = tech0.getName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Tech tech0 = new Tech();
tech0.setId(51071);
int int0 = tech0.getId();
assertEquals(51071, int0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Tech tech0 = new Tech();
tech0.setId((-44766));
int int0 = tech0.getId();
assertEquals((-44766), int0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Tech tech0 = new Tech();
String string0 = tech0.getName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Tech tech0 = new Tech();
int int0 = tech0.getId();
assertEquals(0, int0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 03:19: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 Tech_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Tech";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp066h72kl");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Tech_ESTest_scaffolding.class.getClassLoader() ,
"Tech"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Tech_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Tech"
);
}
}
| 151,148 |
ChainConstants
|
/*
* Copyright 2012-2017 netsteadfast of copyright Chen Xin Nien
*
* 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: Chen Xin Nien
* contact: chen.xin.nien@gmail.com
*
*/
public class ChainConstants {
/** context 訊息 key */
public static final String CHAIN_MESSAGE = "message";
/** context 結果值 key */
public static final String CHAIN_RESULT = "result";
/** chain 設定檔 , 請將 chain-config.xml 放至 classpath 下 */
public static final String CHAIN_RESOURCE_CONFIG = "/chain-config.xml";
/** chain 設定檔 catalog */
public static final String CHAIN_CATALOG = "gsbsc-chain-catalog";
}
|
.version 52 0
.class public super ChainConstants
.super java/lang/Object
.field public static final CHAIN_MESSAGE Ljava/lang/String; = 'message'
.field public static final CHAIN_RESULT Ljava/lang/String; = 'result'
.field public static final CHAIN_RESOURCE_CONFIG Ljava/lang/String; = '/chain-config.xml'
.field public static final CHAIN_CATALOG Ljava/lang/String; = 'gsbsc-chain-catalog'
.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
.sourcefile 'ChainConstants.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 14:24: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 ChainConstants_ESTest extends ChainConstants_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ChainConstants chainConstants0 = new ChainConstants();
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 14:24: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 ChainConstants_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ChainConstants";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpdt61_mdk");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ChainConstants_ESTest_scaffolding.class.getClassLoader() ,
"ChainConstants"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ChainConstants_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ChainConstants"
);
}
}
| 151,149 |
Util
|
public class Util {
public static boolean equalObjects(Object a, Object b) {
if (a == b) return true;
if (a == null || b == null) return false;
return a.equals(b);
}
}
|
.version 52 0
.class public super Util
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 3
.end linenumbertable
.end code
.end method
.method public static equalObjects : (Ljava/lang/Object;Ljava/lang/Object;)Z
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: if_acmpne L7
L5: iconst_1
L6: ireturn
.stack same
L7: aload_0
L8: ifnull L15
L11: aload_1
L12: ifnonnull L17
.stack same
L15: iconst_0
L16: ireturn
.stack same
L17: aload_0
L18: aload_1
L19: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z
L22: ireturn
L23:
.linenumbertable
L0 5
L5 6
L7 7
L15 8
L17 9
.end linenumbertable
.end code
.end method
.sourcefile 'Util.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 01:48: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 Util_ESTest extends Util_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Object object0 = new Object();
Object object1 = new Object();
boolean boolean0 = Util.equalObjects(object1, object0);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Object object0 = new Object();
boolean boolean0 = Util.equalObjects((Object) null, object0);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Object object0 = new Object();
boolean boolean0 = Util.equalObjects(object0, object0);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Object object0 = new Object();
boolean boolean0 = Util.equalObjects(object0, (Object) null);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Util util0 = new Util();
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 01:48: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 Util_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Util";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp4c81du9p");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Util_ESTest_scaffolding.class.getClassLoader() ,
"Util"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Util_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Util"
);
}
}
| 151,150 |
MongoUtils
|
/**
* Licensed to the Apache Software Foundation (ASF) under one or more contributor license
* agreements. See the NOTICE file distributed with this work for additional information regarding
* copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the
* "License"); you may not use this file except in compliance with the License. You may obtain a
* copy of the License at
*
* <p>http://www.apache.org/licenses/LICENSE-2.0
*
* <p>Unless required by applicable law or agreed to in writing, software distributed under the
* License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either
* express or implied. See the License for the specific language governing permissions and
* limitations under the License.
*/
import java.io.ByteArrayOutputStream;
import java.io.IOException;
import java.util.List;
public final class MongoUtils {
/**
* Create Mongo _id based on input keys.
*
* @param keys keys
* @return Mongo _id
*/
public static byte[] getId(List<Object> keys) {
ByteArrayOutputStream bos = new ByteArrayOutputStream();
try {
for (Object key : keys) {
bos.write(String.valueOf(key).getBytes());
}
bos.close();
} catch (IOException e) {
throw new RuntimeException("IOException creating Mongo document _id.", e);
}
return bos.toByteArray();
}
}
|
.version 52 0
.class public final super MongoUtils
.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 getId : (Ljava/util/List;)[B
.code stack 4 locals 4
L0: new java/io/ByteArrayOutputStream
L3: dup
L4: invokespecial Method java/io/ByteArrayOutputStream <init> ()V
L7: astore_1
.catch java/io/IOException from L8 to L49 using L52
L8: aload_0
L9: invokeinterface InterfaceMethod java/util/List iterator ()Ljava/util/Iterator; 1
L14: astore_2
.stack append Object java/io/ByteArrayOutputStream Object java/util/Iterator
L15: aload_2
L16: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1
L21: ifeq L45
L24: aload_2
L25: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1
L30: astore_3
L31: aload_1
L32: aload_3
L33: invokestatic Method java/lang/String valueOf (Ljava/lang/Object;)Ljava/lang/String;
L36: invokevirtual Method java/lang/String getBytes ()[B
L39: invokevirtual Method java/io/ByteArrayOutputStream write ([B)V
L42: goto L15
.stack chop 1
L45: aload_1
L46: invokevirtual Method java/io/ByteArrayOutputStream close ()V
L49: goto L64
.stack stack_1 Object java/io/IOException
L52: astore_2
L53: new java/lang/RuntimeException
L56: dup
L57: ldc 'IOException creating Mongo document _id.'
L59: aload_2
L60: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;Ljava/lang/Throwable;)V
L63: athrow
.stack same
L64: aload_1
L65: invokevirtual Method java/io/ByteArrayOutputStream toByteArray ()[B
L68: areturn
L69:
.linenumbertable
L0 33
L8 35
L31 36
L42 37
L45 38
L49 41
L52 39
L53 40
L64 42
.end linenumbertable
.end code
.signature (Ljava/util/List<Ljava/lang/Object;>;)[B
.end method
.sourcefile 'MongoUtils.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 05:08:31 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.util.LinkedList;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class MongoUtils_ESTest extends MongoUtils_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
LinkedList<Object> linkedList0 = new LinkedList<Object>();
byte[] byteArray0 = MongoUtils.getId(linkedList0);
assertArrayEquals(new byte[] {}, byteArray0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
MongoUtils mongoUtils0 = new MongoUtils();
LinkedList<Object> linkedList0 = new LinkedList<Object>();
linkedList0.add((Object) mongoUtils0);
byte[] byteArray0 = MongoUtils.getId(linkedList0);
assertEquals(12, byteArray0.length);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 05: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 MongoUtils_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "MongoUtils";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpod0ebftd");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MongoUtils_ESTest_scaffolding.class.getClassLoader() ,
"MongoUtils"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MongoUtils_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MongoUtils"
);
}
}
| 151,151 |
E
|
import java.io.*;
import java.util.*;
public class E {
private InputStream is;
private PrintWriter out;
private void run() throws Exception {
is = System.in;
out = new PrintWriter(System.out);
solve();
out.flush();
}
public static void main(String[] args) throws Exception {
new E().run();
}
private void solve() {
int n = nextInt();
long[] x = new long[n + 1];
for (int i = 1; i <= n; i++) x[i] = nextInt();
int m = nextInt();
int[] f = new int[n + 1];
for (int i = 0; i < m; i++) f[nextInt()]++;
if (f[n] != f[1] + 1) {
if (f[1] != f[n] + 1) {
if (f[1] == f[n]) {
long cy = f[n];
f[1] -= cy;
f[n] -= cy;
for (int i = 2; i <= n - 1; i++) {
f[i] -= 2 * cy;
}
boolean flag = false;
long ret = cy * 2L * (x[n] - x[1]);
for (int i = 1; i <= n - 1; i++) {
if (f[i] < f[i + 1]) {
ret -= x[i + 1];
flag = true;
} else if (f[i] > f[i + 1]) {
ret += x[i];
flag = true;
}
}
if (flag) {
out.println(ret);
} else {
long del = x[2] - x[1];
for (int i = 1; i <= n - 1; i++) {
if (del != x[i + 1] - x[i]) {
out.println(-1);
return;
}
}
out.println(ret - del);
}
}
} else {
long cy = f[n];
f[1] -= cy;
f[n] -= cy;
for (int i = 2; i <= n - 1; i++) {
f[i] -= 2 * cy;
}
long ret = cy * 2L * (x[n] - x[1]);
for (int i = 1; i <= n - 1; i++) {
if (f[i + 1] == 0 && f[i] >= 1) {
ret += x[i] - x[1];
}
if (f[i + 1] <= 1 && f[i] == 2) {
ret += x[i] - x[1];
}
}
out.println(ret);
}
} else {
long cy = f[1];
f[1] -= cy;
f[n] -= cy;
for (int i = 2; i <= n - 1; i++) {
f[i] -= 2 * cy;
}
long ret = cy * 2L * (x[n] - x[1]);
for (int i = 1; i <= n - 1; i++) {
if (f[i] == 0 && f[i + 1] >= 1) {
ret += x[n] - x[i + 1];
}
if (f[i] <= 1 && f[i + 1] == 2) {
ret += x[n] - x[i + 1];
}
}
out.println(ret);
}
}
private byte[] inbuf = new byte[1024];
private int lenbuf = 0, ptrbuf = 0;
private int readByte() {
if (lenbuf == -1) throw new InputMismatchException();
if (ptrbuf >= lenbuf) {
ptrbuf = 0;
try {
lenbuf = is.read(inbuf);
} catch (IOException e) {
throw new InputMismatchException();
}
if (lenbuf <= 0) return -1;
}
return inbuf[ptrbuf++];
}
private boolean isSpaceChar(int c) {
return !(c >= 33 && c <= 126);
}
private int skip() {
int b;
while ((b = readByte()) != -1 && isSpaceChar(b)) {}
;
return b;
}
private int nextInt() {
int num = 0, b;
boolean minus = false;
while ((b = readByte()) != -1 && !((b >= '0' && b <= '9') || b == '-')) {}
if (b == '-') {
minus = true;
b = readByte();
}
while (true) {
if (b >= '0' && b <= '9') {
num = num * 10 + (b - '0');
} else {
return minus ? -num : num;
}
b = readByte();
}
}
}
|
.version 52 0
.class public super E
.super java/lang/Object
.field private is Ljava/io/InputStream;
.field private out Ljava/io/PrintWriter;
.field private inbuf [B
.field private lenbuf I
.field private ptrbuf 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: sipush 1024
L8: newarray byte
L10: putfield Field E inbuf [B
L13: aload_0
L14: iconst_0
L15: putfield Field E lenbuf I
L18: aload_0
L19: iconst_0
L20: putfield Field E ptrbuf I
L23: return
L24:
.linenumbertable
L0 4
L4 102
L13 103
.end linenumbertable
.end code
.end method
.method private run : ()V
.code stack 4 locals 1
L0: aload_0
L1: getstatic Field java/lang/System in Ljava/io/InputStream;
L4: putfield Field E is Ljava/io/InputStream;
L7: aload_0
L8: new java/io/PrintWriter
L11: dup
L12: getstatic Field java/lang/System out Ljava/io/PrintStream;
L15: invokespecial Method java/io/PrintWriter <init> (Ljava/io/OutputStream;)V
L18: putfield Field E out Ljava/io/PrintWriter;
L21: aload_0
L22: invokespecial Method E solve ()V
L25: aload_0
L26: getfield Field E out Ljava/io/PrintWriter;
L29: invokevirtual Method java/io/PrintWriter flush ()V
L32: return
L33:
.linenumbertable
L0 9
L7 10
L21 12
L25 13
L32 14
.end linenumbertable
.end code
.exceptions java/lang/Exception
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 2 locals 1
L0: new E
L3: dup
L4: invokespecial Method E <init> ()V
L7: invokespecial Method E run ()V
L10: return
L11:
.linenumbertable
L0 17
L10 18
.end linenumbertable
.end code
.exceptions java/lang/Exception
.end method
.method private solve : ()V
.code stack 8 locals 13
L0: aload_0
L1: invokespecial Method E nextInt ()I
L4: istore_1
L5: iload_1
L6: iconst_1
L7: iadd
L8: newarray long
L10: astore_2
L11: iconst_1
L12: istore_3
.stack append Integer Object [J Integer
L13: iload_3
L14: iload_1
L15: if_icmpgt L32
L18: aload_2
L19: iload_3
L20: aload_0
L21: invokespecial Method E nextInt ()I
L24: i2l
L25: lastore
L26: iinc 3 1
L29: goto L13
.stack chop 1
L32: aload_0
L33: invokespecial Method E nextInt ()I
L36: istore_3
L37: iload_1
L38: iconst_1
L39: iadd
L40: newarray int
L42: astore 4
L44: iconst_0
L45: istore 5
.stack append Integer Object [I Integer
L47: iload 5
L49: iload_3
L50: if_icmpge L70
L53: aload 4
L55: aload_0
L56: invokespecial Method E nextInt ()I
L59: dup2
L60: iaload
L61: iconst_1
L62: iadd
L63: iastore
L64: iinc 5 1
L67: goto L47
.stack chop 1
L70: aload 4
L72: iload_1
L73: iaload
L74: aload 4
L76: iconst_1
L77: iaload
L78: iconst_1
L79: iadd
L80: if_icmpeq L520
L83: aload 4
L85: iconst_1
L86: iaload
L87: aload 4
L89: iload_1
L90: iaload
L91: iconst_1
L92: iadd
L93: if_icmpeq L348
L96: aload 4
L98: iconst_1
L99: iaload
L100: aload 4
L102: iload_1
L103: iaload
L104: if_icmpne L693
L107: aload 4
L109: iload_1
L110: iaload
L111: i2l
L112: lstore 5
L114: aload 4
L116: iconst_1
L117: dup2
L118: iaload
L119: i2l
L120: lload 5
L122: lsub
L123: l2i
L124: iastore
L125: aload 4
L127: iload_1
L128: dup2
L129: iaload
L130: i2l
L131: lload 5
L133: lsub
L134: l2i
L135: iastore
L136: iconst_2
L137: istore 7
.stack append Long Integer
L139: iload 7
L141: iload_1
L142: iconst_1
L143: isub
L144: if_icmpgt L169
L147: aload 4
L149: iload 7
L151: dup2
L152: iaload
L153: i2l
L154: ldc2_w 2L
L157: lload 5
L159: lmul
L160: lsub
L161: l2i
L162: iastore
L163: iinc 7 1
L166: goto L139
.stack chop 1
L169: iconst_0
L170: istore 7
L172: lload 5
L174: ldc2_w 2L
L177: lmul
L178: aload_2
L179: iload_1
L180: laload
L181: aload_2
L182: iconst_1
L183: laload
L184: lsub
L185: lmul
L186: lstore 8
L188: iconst_1
L189: istore 10
.stack append Integer Long Integer
L191: iload 10
L193: iload_1
L194: iconst_1
L195: isub
L196: if_icmpgt L264
L199: aload 4
L201: iload 10
L203: iaload
L204: aload 4
L206: iload 10
L208: iconst_1
L209: iadd
L210: iaload
L211: if_icmpge L231
L214: lload 8
L216: aload_2
L217: iload 10
L219: iconst_1
L220: iadd
L221: laload
L222: lsub
L223: lstore 8
L225: iconst_1
L226: istore 7
L228: goto L258
.stack same
L231: aload 4
L233: iload 10
L235: iaload
L236: aload 4
L238: iload 10
L240: iconst_1
L241: iadd
L242: iaload
L243: if_icmple L258
L246: lload 8
L248: aload_2
L249: iload 10
L251: laload
L252: ladd
L253: lstore 8
L255: iconst_1
L256: istore 7
.stack same
L258: iinc 10 1
L261: goto L191
.stack chop 1
L264: iload 7
L266: ifeq L281
L269: aload_0
L270: getfield Field E out Ljava/io/PrintWriter;
L273: lload 8
L275: invokevirtual Method java/io/PrintWriter println (J)V
L278: goto L345
.stack same
L281: aload_2
L282: iconst_2
L283: laload
L284: aload_2
L285: iconst_1
L286: laload
L287: lsub
L288: lstore 10
L290: iconst_1
L291: istore 12
.stack append Long Integer
L293: iload 12
L295: iload_1
L296: iconst_1
L297: isub
L298: if_icmpgt L333
L301: lload 10
L303: aload_2
L304: iload 12
L306: iconst_1
L307: iadd
L308: laload
L309: aload_2
L310: iload 12
L312: laload
L313: lsub
L314: lcmp
L315: ifeq L327
L318: aload_0
L319: getfield Field E out Ljava/io/PrintWriter;
L322: iconst_m1
L323: invokevirtual Method java/io/PrintWriter println (I)V
L326: return
.stack same
L327: iinc 12 1
L330: goto L293
.stack chop 1
L333: aload_0
L334: getfield Field E out Ljava/io/PrintWriter;
L337: lload 8
L339: lload 10
L341: lsub
L342: invokevirtual Method java/io/PrintWriter println (J)V
.stack full
locals Object E Integer Object [J Integer Object [I
stack
.end stack
L345: goto L693
.stack same
L348: aload 4
L350: iload_1
L351: iaload
L352: i2l
L353: lstore 5
L355: aload 4
L357: iconst_1
L358: dup2
L359: iaload
L360: i2l
L361: lload 5
L363: lsub
L364: l2i
L365: iastore
L366: aload 4
L368: iload_1
L369: dup2
L370: iaload
L371: i2l
L372: lload 5
L374: lsub
L375: l2i
L376: iastore
L377: iconst_2
L378: istore 7
.stack append Long Integer
L380: iload 7
L382: iload_1
L383: iconst_1
L384: isub
L385: if_icmpgt L410
L388: aload 4
L390: iload 7
L392: dup2
L393: iaload
L394: i2l
L395: ldc2_w 2L
L398: lload 5
L400: lmul
L401: lsub
L402: l2i
L403: iastore
L404: iinc 7 1
L407: goto L380
.stack chop 1
L410: lload 5
L412: ldc2_w 2L
L415: lmul
L416: aload_2
L417: iload_1
L418: laload
L419: aload_2
L420: iconst_1
L421: laload
L422: lsub
L423: lmul
L424: lstore 7
L426: iconst_1
L427: istore 9
.stack append Long Integer
L429: iload 9
L431: iload_1
L432: iconst_1
L433: isub
L434: if_icmpgt L508
L437: aload 4
L439: iload 9
L441: iconst_1
L442: iadd
L443: iaload
L444: ifne L469
L447: aload 4
L449: iload 9
L451: iaload
L452: iconst_1
L453: if_icmplt L469
L456: lload 7
L458: aload_2
L459: iload 9
L461: laload
L462: aload_2
L463: iconst_1
L464: laload
L465: lsub
L466: ladd
L467: lstore 7
.stack same
L469: aload 4
L471: iload 9
L473: iconst_1
L474: iadd
L475: iaload
L476: iconst_1
L477: if_icmpgt L502
L480: aload 4
L482: iload 9
L484: iaload
L485: iconst_2
L486: if_icmpne L502
L489: lload 7
L491: aload_2
L492: iload 9
L494: laload
L495: aload_2
L496: iconst_1
L497: laload
L498: lsub
L499: ladd
L500: lstore 7
.stack same
L502: iinc 9 1
L505: goto L429
.stack chop 1
L508: aload_0
L509: getfield Field E out Ljava/io/PrintWriter;
L512: lload 7
L514: invokevirtual Method java/io/PrintWriter println (J)V
L517: goto L693
.stack chop 2
L520: aload 4
L522: iconst_1
L523: iaload
L524: i2l
L525: lstore 5
L527: aload 4
L529: iconst_1
L530: dup2
L531: iaload
L532: i2l
L533: lload 5
L535: lsub
L536: l2i
L537: iastore
L538: aload 4
L540: iload_1
L541: dup2
L542: iaload
L543: i2l
L544: lload 5
L546: lsub
L547: l2i
L548: iastore
L549: iconst_2
L550: istore 7
.stack append Long Integer
L552: iload 7
L554: iload_1
L555: iconst_1
L556: isub
L557: if_icmpgt L582
L560: aload 4
L562: iload 7
L564: dup2
L565: iaload
L566: i2l
L567: ldc2_w 2L
L570: lload 5
L572: lmul
L573: lsub
L574: l2i
L575: iastore
L576: iinc 7 1
L579: goto L552
.stack chop 1
L582: lload 5
L584: ldc2_w 2L
L587: lmul
L588: aload_2
L589: iload_1
L590: laload
L591: aload_2
L592: iconst_1
L593: laload
L594: lsub
L595: lmul
L596: lstore 7
L598: iconst_1
L599: istore 9
.stack append Long Integer
L601: iload 9
L603: iload_1
L604: iconst_1
L605: isub
L606: if_icmpgt L684
L609: aload 4
L611: iload 9
L613: iaload
L614: ifne L643
L617: aload 4
L619: iload 9
L621: iconst_1
L622: iadd
L623: iaload
L624: iconst_1
L625: if_icmplt L643
L628: lload 7
L630: aload_2
L631: iload_1
L632: laload
L633: aload_2
L634: iload 9
L636: iconst_1
L637: iadd
L638: laload
L639: lsub
L640: ladd
L641: lstore 7
.stack same
L643: aload 4
L645: iload 9
L647: iaload
L648: iconst_1
L649: if_icmpgt L678
L652: aload 4
L654: iload 9
L656: iconst_1
L657: iadd
L658: iaload
L659: iconst_2
L660: if_icmpne L678
L663: lload 7
L665: aload_2
L666: iload_1
L667: laload
L668: aload_2
L669: iload 9
L671: iconst_1
L672: iadd
L673: laload
L674: lsub
L675: ladd
L676: lstore 7
.stack same
L678: iinc 9 1
L681: goto L601
.stack chop 1
L684: aload_0
L685: getfield Field E out Ljava/io/PrintWriter;
L688: lload 7
L690: invokevirtual Method java/io/PrintWriter println (J)V
.stack chop 2
L693: return
L694:
.linenumbertable
L0 21
L5 22
L11 23
L32 24
L37 25
L44 26
L70 28
L83 29
L96 30
L107 31
L114 32
L125 33
L136 34
L147 35
L163 34
L169 38
L172 39
L188 40
L199 41
L214 42
L225 43
L231 44
L246 45
L255 46
L258 40
L264 49
L269 50
L281 52
L290 53
L301 54
L318 55
L326 56
L327 53
L333 59
L345 61
L348 63
L355 64
L366 65
L377 66
L388 67
L404 66
L410 70
L426 71
L437 72
L456 73
L469 75
L489 76
L502 71
L508 79
L517 80
L520 82
L527 83
L538 84
L549 85
L560 86
L576 85
L582 89
L598 90
L609 91
L628 92
L643 94
L663 95
L678 90
L684 98
L693 100
.end linenumbertable
.end code
.end method
.method private readByte : ()I
.code stack 5 locals 2
L0: aload_0
L1: getfield Field E lenbuf I
L4: iconst_m1
L5: if_icmpne L16
L8: new java/util/InputMismatchException
L11: dup
L12: invokespecial Method java/util/InputMismatchException <init> ()V
L15: athrow
.stack same
L16: aload_0
L17: getfield Field E ptrbuf I
L20: aload_0
L21: getfield Field E lenbuf I
L24: if_icmplt L68
L27: aload_0
L28: iconst_0
L29: putfield Field E ptrbuf I
.catch java/io/IOException from L32 to L47 using L50
L32: aload_0
L33: aload_0
L34: getfield Field E is Ljava/io/InputStream;
L37: aload_0
L38: getfield Field E inbuf [B
L41: invokevirtual Method java/io/InputStream read ([B)I
L44: putfield Field E lenbuf I
L47: goto L59
.stack stack_1 Object java/io/IOException
L50: astore_1
L51: new java/util/InputMismatchException
L54: dup
L55: invokespecial Method java/util/InputMismatchException <init> ()V
L58: athrow
.stack same
L59: aload_0
L60: getfield Field E lenbuf I
L63: ifgt L68
L66: iconst_m1
L67: ireturn
.stack same
L68: aload_0
L69: getfield Field E inbuf [B
L72: aload_0
L73: dup
L74: getfield Field E ptrbuf I
L77: dup_x1
L78: iconst_1
L79: iadd
L80: putfield Field E ptrbuf I
L83: baload
L84: ireturn
L85:
.linenumbertable
L0 106
L16 107
L27 108
L32 110
L47 113
L50 111
L51 112
L59 114
L68 116
.end linenumbertable
.end code
.end method
.method private isSpaceChar : (I)Z
.code stack 2 locals 2
L0: iload_1
L1: bipush 33
L3: if_icmplt L12
L6: iload_1
L7: bipush 126
L9: if_icmple L16
.stack same
L12: iconst_1
L13: goto L17
.stack same
L16: iconst_0
.stack stack_1 Integer
L17: ireturn
L18:
.linenumbertable
L0 120
.end linenumbertable
.end code
.end method
.method private skip : ()I
.code stack 2 locals 2
.stack same
L0: aload_0
L1: invokespecial Method E readByte ()I
L4: dup
L5: istore_1
L6: iconst_m1
L7: if_icmpeq L21
L10: aload_0
L11: iload_1
L12: invokespecial Method E isSpaceChar (I)Z
L15: ifeq L21
L18: goto L0
.stack append Integer
L21: iload_1
L22: ireturn
L23:
.linenumbertable
L0 125
L21 127
.end linenumbertable
.end code
.end method
.method private nextInt : ()I
.code stack 3 locals 4
L0: iconst_0
L1: istore_1
L2: iconst_0
L3: istore_3
.stack append Integer Top Integer
L4: aload_0
L5: invokespecial Method E readByte ()I
L8: dup
L9: istore_2
L10: iconst_m1
L11: if_icmpeq L35
L14: iload_2
L15: bipush 48
L17: if_icmplt L26
L20: iload_2
L21: bipush 57
L23: if_icmple L35
.stack full
locals Object E Integer Integer Integer
stack
.end stack
L26: iload_2
L27: bipush 45
L29: if_icmpeq L35
L32: goto L4
.stack same
L35: iload_2
L36: bipush 45
L38: if_icmpne L48
L41: iconst_1
L42: istore_3
L43: aload_0
L44: invokespecial Method E readByte ()I
L47: istore_2
.stack same
L48: iload_2
L49: bipush 48
L51: if_icmplt L73
L54: iload_2
L55: bipush 57
L57: if_icmpgt L73
L60: iload_1
L61: bipush 10
L63: imul
L64: iload_2
L65: bipush 48
L67: isub
L68: iadd
L69: istore_1
L70: goto L84
.stack same
L73: iload_3
L74: ifeq L82
L77: iload_1
L78: ineg
L79: goto L83
.stack same
L82: iload_1
.stack stack_1 Integer
L83: ireturn
.stack same
L84: aload_0
L85: invokespecial Method E readByte ()I
L88: istore_2
L89: goto L48
L92:
.linenumbertable
L0 131
L2 132
L4 133
L35 136
L41 137
L43 138
L48 142
L60 143
L73 145
L84 147
.end linenumbertable
.end code
.end method
.sourcefile 'E.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 21:40:28 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.util.InputMismatchException;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class E_ESTest extends E_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
E e0 = new E();
}
@Test(timeout = 4000)
public void test1() throws Throwable {
String[] stringArray0 = new String[2];
try {
E.main(stringArray0);
fail("Expecting exception: InputMismatchException");
} catch(InputMismatchException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("E", e);
}
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 21:40: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 E_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "E";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
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/tmpacainkha");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(E_ESTest_scaffolding.class.getClassLoader() ,
"E"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(E_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"E"
);
}
}
| 151,152 |
Solution
|
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
public class Solution {
public int numMatchingSubseq(String S, String[] words) {
List<Integer>[] indexes = new List[128];
char c = 0;
for (int i = 0; i < S.length(); i++) {
c = S.charAt(i);
if (indexes[c] == null) {
indexes[c] = new ArrayList<>();
}
indexes[c].add(i);
}
int count = 0, start = 0;
for (String word : words) {
start = 0;
boolean isSubseq = true;
for (int i = 0; i < word.length(); i++) {
c = word.charAt(i);
if (indexes[c] == null) {
isSubseq = false;
break;
} // this word has chars not in S
int index = Collections.binarySearch(indexes[c], start);
if (index < 0) index = -(index + 1);
if (index == indexes[c].size()) {
isSubseq = false;
break;
}
start = indexes[c].get(index) + 1;
}
if (isSubseq) count++;
}
return count;
}
}
|
.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 7
.end linenumbertable
.end code
.end method
.method public numMatchingSubseq : (Ljava/lang/String;[Ljava/lang/String;)I
.code stack 4 locals 14
L0: sipush 128
L3: anewarray java/util/List
L6: astore_3
L7: iconst_0
L8: istore 4
L10: iconst_0
L11: istore 5
.stack append Object [Ljava/util/List; Integer Integer
L13: iload 5
L15: aload_1
L16: invokevirtual Method java/lang/String length ()I
L19: if_icmpge L69
L22: aload_1
L23: iload 5
L25: invokevirtual Method java/lang/String charAt (I)C
L28: istore 4
L30: aload_3
L31: iload 4
L33: aaload
L34: ifnonnull L48
L37: aload_3
L38: iload 4
L40: new java/util/ArrayList
L43: dup
L44: invokespecial Method java/util/ArrayList <init> ()V
L47: aastore
.stack same
L48: aload_3
L49: iload 4
L51: aaload
L52: iload 5
L54: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L57: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L62: pop
L63: iinc 5 1
L66: goto L13
.stack chop 1
L69: iconst_0
L70: istore 5
L72: iconst_0
L73: istore 6
L75: aload_2
L76: astore 7
L78: aload 7
L80: arraylength
L81: istore 8
L83: iconst_0
L84: istore 9
.stack full
locals Object Solution Object java/lang/String Object [Ljava/lang/String; Object [Ljava/util/List; Integer Integer Integer Object [Ljava/lang/String; Integer Integer
stack
.end stack
L86: iload 9
L88: iload 8
L90: if_icmpge L228
L93: aload 7
L95: iload 9
L97: aaload
L98: astore 10
L100: iconst_0
L101: istore 6
L103: iconst_1
L104: istore 11
L106: iconst_0
L107: istore 12
.stack append Object java/lang/String Integer Integer
L109: iload 12
L111: aload 10
L113: invokevirtual Method java/lang/String length ()I
L116: if_icmpge L214
L119: aload 10
L121: iload 12
L123: invokevirtual Method java/lang/String charAt (I)C
L126: istore 4
L128: aload_3
L129: iload 4
L131: aaload
L132: ifnonnull L141
L135: iconst_0
L136: istore 11
L138: goto L214
.stack same
L141: aload_3
L142: iload 4
L144: aaload
L145: iload 6
L147: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L150: invokestatic Method java/util/Collections binarySearch (Ljava/util/List;Ljava/lang/Object;)I
L153: istore 13
L155: iload 13
L157: ifge L167
L160: iload 13
L162: iconst_1
L163: iadd
L164: ineg
L165: istore 13
.stack append Integer
L167: iload 13
L169: aload_3
L170: iload 4
L172: aaload
L173: invokeinterface InterfaceMethod java/util/List size ()I 1
L178: if_icmpne L187
L181: iconst_0
L182: istore 11
L184: goto L214
.stack same
L187: aload_3
L188: iload 4
L190: aaload
L191: iload 13
L193: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L198: checkcast java/lang/Integer
L201: invokevirtual Method java/lang/Integer intValue ()I
L204: iconst_1
L205: iadd
L206: istore 6
L208: iinc 12 1
L211: goto L109
.stack chop 2
L214: iload 11
L216: ifeq L222
L219: iinc 5 1
.stack chop 2
L222: iinc 9 1
L225: goto L86
.stack chop 3
L228: iload 5
L230: ireturn
L231:
.linenumbertable
L0 10
L7 11
L10 12
L22 13
L30 14
L37 15
L48 17
L63 12
L69 20
L75 21
L100 22
L103 23
L106 24
L119 25
L128 26
L141 27
L155 28
L167 29
L187 30
L208 24
L214 32
L222 21
L228 34
.end linenumbertable
.end code
.end method
.sourcefile 'Solution.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 14:49:12 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Solution_ESTest extends Solution_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Solution solution0 = new Solution();
String[] stringArray0 = new String[8];
stringArray0[0] = "^";
stringArray0[1] = "IQWgN'p8vP5sC";
stringArray0[2] = "^";
stringArray0[3] = "IQWgN'p8vP5sC";
stringArray0[4] = "^";
stringArray0[5] = "IQWgN'p8vP5sC";
stringArray0[6] = "^";
stringArray0[7] = "^";
int int0 = solution0.numMatchingSubseq("Zv*~3IsA5gIM", stringArray0);
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Solution solution0 = new Solution();
String[] stringArray0 = new String[8];
stringArray0[0] = "^";
stringArray0[1] = "IQWgN'p8vP5sC";
stringArray0[2] = "^";
stringArray0[3] = "IQWgN'p8vP5sC";
stringArray0[4] = "^";
stringArray0[5] = "IQWgN'p8vP5sC";
stringArray0[6] = "^";
stringArray0[7] = "^";
int int0 = solution0.numMatchingSubseq("^", stringArray0);
assertEquals(5, int0);
int int1 = solution0.numMatchingSubseq("Zv*~3IsA5gIM", stringArray0);
assertEquals(0, int1);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Solution solution0 = new Solution();
String[] stringArray0 = new String[8];
stringArray0[0] = "^";
stringArray0[1] = "IQWgN'p8vP5sC";
stringArray0[2] = "^";
stringArray0[3] = "IQWgN'p8vP5sC";
stringArray0[4] = "^";
stringArray0[5] = "IQWgN'p8vP5sC";
stringArray0[6] = "^";
stringArray0[7] = "^";
int int0 = solution0.numMatchingSubseq("^", stringArray0);
assertEquals(5, int0);
int int1 = solution0.numMatchingSubseq("tccFcG", stringArray0);
assertEquals(0, int1);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 14:49: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 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/tmp5kacts1t");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.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"
);
}
}
| 151,153 |
CertificateException
|
import java.security.GeneralSecurityException;
public class CertificateException extends GeneralSecurityException {
public CertificateException() {
super();
}
public CertificateException(String msg) {
super(msg);
}
public CertificateException(String message, Throwable cause) {
super(message, cause);
}
public CertificateException(Throwable cause) {
super(cause);
}
}
|
.version 52 0
.class public super CertificateException
.super java/security/GeneralSecurityException
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/security/GeneralSecurityException <init> ()V
L4: return
L5:
.linenumbertable
L0 7
L4 8
.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/security/GeneralSecurityException <init> (Ljava/lang/String;)V
L5: return
L6:
.linenumbertable
L0 11
L5 12
.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/security/GeneralSecurityException <init> (Ljava/lang/String;Ljava/lang/Throwable;)V
L6: return
L7:
.linenumbertable
L0 15
L6 16
.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/security/GeneralSecurityException <init> (Ljava/lang/Throwable;)V
L5: return
L6:
.linenumbertable
L0 19
L5 20
.end linenumbertable
.end code
.end method
.sourcefile 'CertificateException.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 17:12:05 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 CertificateException_ESTest extends CertificateException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
CertificateException certificateException0 = new CertificateException();
assertNull(certificateException0.getMessage());
}
@Test(timeout = 4000)
public void test1() throws Throwable {
MockThrowable mockThrowable0 = new MockThrowable("atU(>zFU,`V");
CertificateException certificateException0 = new CertificateException(mockThrowable0);
CertificateException certificateException1 = new CertificateException("atU(>zFU,`V", certificateException0);
assertEquals("atU(>zFU,`V", certificateException1.getMessage());
}
@Test(timeout = 4000)
public void test2() throws Throwable {
CertificateException certificateException0 = new CertificateException("atU(>zFU,`V");
assertEquals("atU(>zFU,`V", certificateException0.getMessage());
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 17:12:05 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class CertificateException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "CertificateException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.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_eu14n1");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CertificateException_ESTest_scaffolding.class.getClassLoader() ,
"CertificateException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CertificateException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"CertificateException"
);
}
}
| 151,154 |
Position
|
public class Position {
public String term;
public String title;
public String rank;
public String department;
public boolean departmentSuppressed;
}
|
.version 52 0
.class public super Position
.super java/lang/Object
.field public term Ljava/lang/String;
.field public title Ljava/lang/String;
.field public rank Ljava/lang/String;
.field public department Ljava/lang/String;
.field public departmentSuppressed 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 3
.end linenumbertable
.end code
.end method
.sourcefile 'Position.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 00:47:55 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Position_ESTest extends Position_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Position position0 = new Position();
assertFalse(position0.departmentSuppressed);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 00:47:55 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class 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/tmp6cn08uyr");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.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"
);
}
}
| 151,155 |
ImageSelectorConstant
|
/**
* @author hzzhengrui @Date 16/10/21 @Description
*/
public class ImageSelectorConstant {
// 请求图片
public static final int REQUEST_IMAGE = 66;
// 请求相机
public static final int REQUEST_CAMERA = 67;
// 请求预览
public static final int REQUEST_PREVIEW = 68;
// 返回图片列表
public static final String OUTPUT_LIST = "outputList";
// 多选模式
public static final int MODE_MULTIPLE = 1;
// 单选模式
public static final int MODE_SINGLE = 2;
// 普通预览模式
public static final int PREVIEW_MODE_NORMAL = 0;
// 可删除预览模式
public static final int PREVIEW_MODE_DELETE = 1;
}
|
.version 52 0
.class public super ImageSelectorConstant
.super java/lang/Object
.field public static final REQUEST_IMAGE I = 66
.field public static final REQUEST_CAMERA I = 67
.field public static final REQUEST_PREVIEW I = 68
.field public static final OUTPUT_LIST Ljava/lang/String; = 'outputList'
.field public static final MODE_MULTIPLE I = 1
.field public static final MODE_SINGLE I = 2
.field public static final PREVIEW_MODE_NORMAL I = 0
.field public static final PREVIEW_MODE_DELETE 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 8
.end linenumbertable
.end code
.end method
.sourcefile 'ImageSelectorConstant.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 22:57: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 ImageSelectorConstant_ESTest extends ImageSelectorConstant_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ImageSelectorConstant imageSelectorConstant0 = new ImageSelectorConstant();
assertEquals(1, ImageSelectorConstant.PREVIEW_MODE_DELETE);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 22:57: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 ImageSelectorConstant_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ImageSelectorConstant";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpghkz9bj5");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ImageSelectorConstant_ESTest_scaffolding.class.getClassLoader() ,
"ImageSelectorConstant"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ImageSelectorConstant_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ImageSelectorConstant"
);
}
}
| 151,156 |
Zip
|
/**
* Copyright 2009-2015 the original author or authors.
*
* <p>Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file
* except in compliance with the License. You may obtain a copy of the License at
*
* <p>http://www.apache.org/licenses/LICENSE-2.0
*
* <p>Unless required by applicable law or agreed to in writing, software distributed under the
* License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either
* express or implied. See the License for the specific language governing permissions and
* limitations under the License.
*/
public class Zip {
private String state;
private String city;
private int zipCode;
public String getState() {
return state;
}
public void setState(String state) {
this.state = state;
}
public String getCity() {
return city;
}
public void setCity(String city) {
this.city = city;
}
public int getZipCode() {
return zipCode;
}
public void setZipCode(int zipCode) {
this.zipCode = zipCode;
}
@Override
public String toString() {
return "Zip{"
+ "state='"
+ state
+ '\''
+ ", city='"
+ city
+ '\''
+ ", zipCode="
+ zipCode
+ '}';
}
}
|
.version 52 0
.class public super Zip
.super java/lang/Object
.field private state Ljava/lang/String;
.field private city Ljava/lang/String;
.field private zipCode 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 getState : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Zip state Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 26
.end linenumbertable
.end code
.end method
.method public setState : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Zip state Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 30
L5 31
.end linenumbertable
.end code
.end method
.method public getCity : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Zip city Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 34
.end linenumbertable
.end code
.end method
.method public setCity : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Zip city Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 38
L5 39
.end linenumbertable
.end code
.end method
.method public getZipCode : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Zip zipCode I
L4: ireturn
L5:
.linenumbertable
L0 42
.end linenumbertable
.end code
.end method
.method public setZipCode : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field Zip zipCode I
L5: return
L6:
.linenumbertable
L0 46
L5 47
.end linenumbertable
.end code
.end method
.method public toString : ()Ljava/lang/String;
.code stack 2 locals 1
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: ldc "Zip{state='"
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field Zip state Ljava/lang/String;
L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L19: bipush 39
L21: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L24: ldc ", city='"
L26: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L29: aload_0
L30: getfield Field Zip city Ljava/lang/String;
L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L36: bipush 39
L38: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L41: ldc ', zipCode='
L43: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L46: aload_0
L47: getfield Field Zip zipCode I
L50: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L53: bipush 125
L55: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L58: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L61: areturn
L62:
.linenumbertable
L0 51
.end linenumbertable
.end code
.end method
.sourcefile 'Zip.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 20:45: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 Zip_ESTest extends Zip_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Zip zip0 = new Zip();
zip0.setZipCode(1);
int int0 = zip0.getZipCode();
assertEquals(1, int0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Zip zip0 = new Zip();
zip0.setState("r");
String string0 = zip0.getState();
assertEquals("r", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Zip zip0 = new Zip();
zip0.setState("");
String string0 = zip0.getState();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Zip zip0 = new Zip();
zip0.setCity("");
String string0 = zip0.getCity();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Zip zip0 = new Zip();
String string0 = zip0.getState();
assertNull(string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Zip zip0 = new Zip();
int int0 = zip0.getZipCode();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
Zip zip0 = new Zip();
zip0.setCity("Zip{state='null', city='null', zipCode=0}");
String string0 = zip0.getCity();
assertEquals("Zip{state='null', city='null', zipCode=0}", string0);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
Zip zip0 = new Zip();
String string0 = zip0.toString();
assertEquals("Zip{state='null', city='null', zipCode=0}", string0);
}
@Test(timeout = 4000)
public void test8() throws Throwable {
Zip zip0 = new Zip();
zip0.setZipCode((-9824));
int int0 = zip0.getZipCode();
assertEquals((-9824), int0);
}
@Test(timeout = 4000)
public void test9() throws Throwable {
Zip zip0 = new Zip();
String string0 = zip0.getCity();
assertNull(string0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 20:45: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 Zip_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Zip";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpzjolwaku");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Zip_ESTest_scaffolding.class.getClassLoader() ,
"Zip"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Zip_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Zip"
);
}
}
| 151,157 |
Entity
|
public class Entity {
// Clase que sirve para guardar informacion sobre entidades (enemigos y tesoros)
private int x;
private int y;
private String type;
private boolean vivo;
public Entity() {}
public int getX() {
return x;
}
public void setX(int x) {
this.x = x;
}
public int getY() {
return y;
}
public void setY(int y) {
this.y = y;
}
public String getType() {
return type;
}
public void setType(String type) {
this.type = type;
}
public boolean getVivo() {
return vivo;
}
public void setVivo(boolean vivo) {
this.vivo = vivo;
}
}
|
.version 52 0
.class public super Entity
.super java/lang/Object
.field private x I
.field private y I
.field private type Ljava/lang/String;
.field private vivo 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 11
L4 12
.end linenumbertable
.end code
.end method
.method public getX : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Entity x I
L4: ireturn
L5:
.linenumbertable
L0 15
.end linenumbertable
.end code
.end method
.method public setX : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field Entity x I
L5: return
L6:
.linenumbertable
L0 19
L5 20
.end linenumbertable
.end code
.end method
.method public getY : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Entity y I
L4: ireturn
L5:
.linenumbertable
L0 23
.end linenumbertable
.end code
.end method
.method public setY : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field Entity y I
L5: return
L6:
.linenumbertable
L0 27
L5 28
.end linenumbertable
.end code
.end method
.method public getType : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Entity type Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 31
.end linenumbertable
.end code
.end method
.method public setType : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Entity type Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 35
L5 36
.end linenumbertable
.end code
.end method
.method public getVivo : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Entity vivo Z
L4: ireturn
L5:
.linenumbertable
L0 39
.end linenumbertable
.end code
.end method
.method public setVivo : (Z)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field Entity vivo Z
L5: return
L6:
.linenumbertable
L0 43
L5 44
.end linenumbertable
.end code
.end method
.sourcefile 'Entity.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 17:39: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 Entity_ESTest extends Entity_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
Entity entity0 = new Entity();
entity0.setY(73236);
int int0 = entity0.getY();
assertEquals(73236, int0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
Entity entity0 = new Entity();
entity0.setY((-29188));
int int0 = entity0.getY();
assertEquals((-29188), int0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
Entity entity0 = new Entity();
entity0.setX(58739);
int int0 = entity0.getX();
assertEquals(58739, int0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
Entity entity0 = new Entity();
entity0.setX((-10328));
int int0 = entity0.getX();
assertEquals((-10328), int0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
Entity entity0 = new Entity();
entity0.setType("");
String string0 = entity0.getType();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
Entity entity0 = new Entity();
int int0 = entity0.getY();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
Entity entity0 = new Entity();
int int0 = entity0.getX();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
Entity entity0 = new Entity();
String string0 = entity0.getType();
assertNull(string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
Entity entity0 = new Entity();
entity0.setType("%k_b][tZK}i!@$");
String string0 = entity0.getType();
assertEquals("%k_b][tZK}i!@$", string0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
Entity entity0 = new Entity();
entity0.setVivo(true);
boolean boolean0 = entity0.getVivo();
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
Entity entity0 = new Entity();
boolean boolean0 = entity0.getVivo();
assertFalse(boolean0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 17:39: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 Entity_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Entity";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpsdedhmli");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Entity_ESTest_scaffolding.class.getClassLoader() ,
"Entity"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Entity_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Entity"
);
}
}
| 151,158 |
Readme
|
public class Readme {
/** testing the dao_pattern Student01 StudentDao StudentDaoImpl */
/** here_07 Singleton */
/**
* here_06
*
* <p>pour apprendre l_observer_pattern
*
* <p>SubjectObserved Observer OctalObserver HexObserver BinaryObserver
*/
/** here_05 StudentModelMVC StudentCtrlMVC StudentViewMVC */
/** the same for 1157 FactJouet JouetFactInterf CarFact02 PlaneFact02 */
/** here_02 CircleProtot RectProtot ShapeCache ShapeProtot */
/**
* 1157(notes_tech) Car FactoryToy Plane Toy
*
* <p>here_01
*/
}
|
.version 52 0
.class public super Readme
.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 'Readme.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 04:26: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 Readme_ESTest extends Readme_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Readme readme0 = new Readme();
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 04:26: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 Readme_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Readme";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpqll1qqgz");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Readme_ESTest_scaffolding.class.getClassLoader() ,
"Readme"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Readme_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Readme"
);
}
}
| 151,159 |
Solution
|
/** Created by Nikitash Pawar on 6/29/2017. */
class Solution {
public int solution(int[] T) {
// write your code in Java SE 8
int[] array1 = T, pos, hc;
int positive = 0, negative = 0;
// Check how many positive and/or negative numbers
for (int i : array1) {
if (i >= 0) {
positive++;
} else {
negative++;
}
}
// Make exact size arrays
pos = new int[positive];
hc = new int[negative];
// Reset variables for new purpose
positive = 0;
negative = 0;
// Put numbers in correct array
for (int i : array1) {
if (i >= 0) {
pos[positive] = i;
positive++;
} else {
hc[negative] = i;
negative++;
}
}
// Display arrays
System.out.print("Starter array: ");
for (int i : array1) {
System.out.print(" " + i);
}
int count = 0;
System.out.print("\nPositive array: ");
for (int i : pos) {
System.out.print(" " + i);
count++;
}
System.out.print("\nNegative array: ");
for (int i : hc) {
System.out.print(" " + i);
}
return T.length - count;
}
}
|
.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 6
.end linenumbertable
.end code
.end method
.method public solution : ([I)I
.code stack 3 locals 12
L0: aload_1
L1: astore_2
L2: iconst_0
L3: istore 5
L5: iconst_0
L6: istore 6
L8: aload_2
L9: astore 7
L11: aload 7
L13: arraylength
L14: istore 8
L16: iconst_0
L17: istore 9
.stack full
locals Object Solution Object [I Object [I Top Top Integer Integer Object [I Integer Integer
stack
.end stack
L19: iload 9
L21: iload 8
L23: if_icmpge L53
L26: aload 7
L28: iload 9
L30: iaload
L31: istore 10
L33: iload 10
L35: iflt L44
L38: iinc 5 1
L41: goto L47
.stack append Integer
L44: iinc 6 1
.stack chop 1
L47: iinc 9 1
L50: goto L19
.stack chop 3
L53: iload 5
L55: newarray int
L57: astore_3
L58: iload 6
L60: newarray int
L62: astore 4
L64: iconst_0
L65: istore 5
L67: iconst_0
L68: istore 6
L70: aload_2
L71: astore 7
L73: aload 7
L75: arraylength
L76: istore 8
L78: iconst_0
L79: istore 9
.stack full
locals Object Solution Object [I Object [I Object [I Object [I Integer Integer Object [I Integer Integer
stack
.end stack
L81: iload 9
L83: iload 8
L85: if_icmpge L128
L88: aload 7
L90: iload 9
L92: iaload
L93: istore 10
L95: iload 10
L97: iflt L112
L100: aload_3
L101: iload 5
L103: iload 10
L105: iastore
L106: iinc 5 1
L109: goto L122
.stack append Integer
L112: aload 4
L114: iload 6
L116: iload 10
L118: iastore
L119: iinc 6 1
.stack chop 1
L122: iinc 9 1
L125: goto L81
.stack chop 3
L128: getstatic Field java/lang/System out Ljava/io/PrintStream;
L131: ldc 'Starter array: '
L133: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V
L136: aload_2
L137: astore 7
L139: aload 7
L141: arraylength
L142: istore 8
L144: iconst_0
L145: istore 9
.stack append Object [I Integer Integer
L147: iload 9
L149: iload 8
L151: if_icmpge L193
L154: aload 7
L156: iload 9
L158: iaload
L159: istore 10
L161: getstatic Field java/lang/System out Ljava/io/PrintStream;
L164: new java/lang/StringBuilder
L167: dup
L168: invokespecial Method java/lang/StringBuilder <init> ()V
L171: ldc ' '
L173: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L176: iload 10
L178: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L181: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L184: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V
L187: iinc 9 1
L190: goto L147
.stack chop 3
L193: iconst_0
L194: istore 7
L196: getstatic Field java/lang/System out Ljava/io/PrintStream;
L199: ldc '\nPositive array: '
L201: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V
L204: aload_3
L205: astore 8
L207: aload 8
L209: arraylength
L210: istore 9
L212: iconst_0
L213: istore 10
.stack full
locals Object Solution Object [I Object [I Object [I Object [I Integer Integer Integer Object [I Integer Integer
stack
.end stack
L215: iload 10
L217: iload 9
L219: if_icmpge L264
L222: aload 8
L224: iload 10
L226: iaload
L227: istore 11
L229: getstatic Field java/lang/System out Ljava/io/PrintStream;
L232: new java/lang/StringBuilder
L235: dup
L236: invokespecial Method java/lang/StringBuilder <init> ()V
L239: ldc ' '
L241: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L244: iload 11
L246: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L249: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L252: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V
L255: iinc 7 1
L258: iinc 10 1
L261: goto L215
.stack chop 3
L264: getstatic Field java/lang/System out Ljava/io/PrintStream;
L267: ldc '\nNegative array: '
L269: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V
L272: aload 4
L274: astore 8
L276: aload 8
L278: arraylength
L279: istore 9
L281: iconst_0
L282: istore 10
.stack append Object [I Integer Integer
L284: iload 10
L286: iload 9
L288: if_icmpge L330
L291: aload 8
L293: iload 10
L295: iaload
L296: istore 11
L298: getstatic Field java/lang/System out Ljava/io/PrintStream;
L301: new java/lang/StringBuilder
L304: dup
L305: invokespecial Method java/lang/StringBuilder <init> ()V
L308: ldc ' '
L310: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L313: iload 11
L315: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L318: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L321: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V
L324: iinc 10 1
L327: goto L284
.stack chop 3
L330: aload_1
L331: arraylength
L332: iload 7
L334: isub
L335: ireturn
L336:
.linenumbertable
L0 10
L2 11
L8 14
L33 16
L38 18
L44 21
L47 14
L53 26
L58 27
L64 30
L67 31
L70 34
L95 36
L100 38
L106 39
L112 42
L119 43
L122 34
L128 48
L136 49
L161 51
L187 49
L193 54
L196 55
L204 56
L229 58
L255 59
L258 56
L264 62
L272 63
L298 65
L324 63
L330 67
.end linenumbertable
.end code
.end method
.sourcefile 'Solution.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 14:42: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 Solution_ESTest extends Solution_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Solution solution0 = new Solution();
int[] intArray0 = new int[9];
intArray0[0] = (-28244);
intArray0[1] = (-1);
intArray0[3] = 24822;
solution0.solution(intArray0);
int int0 = solution0.solution(intArray0);
assertEquals(2, int0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Solution solution0 = new Solution();
int[] intArray0 = new int[9];
intArray0[3] = 24822;
intArray0[4] = 41701;
intArray0[5] = 41626;
intArray0[6] = (-26644);
intArray0[7] = 1;
solution0.solution(intArray0);
int int0 = solution0.solution(intArray0);
assertEquals(1, int0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Solution solution0 = new Solution();
int[] intArray0 = new int[9];
intArray0[3] = 24822;
int int0 = solution0.solution(intArray0);
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Solution solution0 = new Solution();
int[] intArray0 = new int[9];
solution0.solution(intArray0);
int int0 = solution0.solution(intArray0);
assertEquals(0, int0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 14:42: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 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/tmpaj5494z2");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.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"
);
}
}
| 151,160 |
Constants
|
/**
* Created by Joseph Roque on 15-03-13.
*
* <p>Provides constant values which are accessible across the entire application
*/
public final class Constants {
/** Identifies output from this class in Logcat. */
@SuppressWarnings("unused")
private static final String TAG = "Constants";
// SETTINGS KEYS
/** Identifier for preference which should open app in play store. */
public static final String KEY_RATE = "pref_rate";
/** Identifier for preference which should open email intent. */
public static final String KEY_REPORT_BUG = "pref_report_bug";
/** Identifier for preference which should open email intent. */
public static final String KEY_COMMENT_SUGGESTION = "pref_comment_suggestion";
/** Identifier for preference which indicates if quick bowlers are set. */
public static final String KEY_ENABLE_QUICK = "pref_enable_quick";
/** Identifier for preference which allows user to select a bowler. */
public static final String KEY_QUICK_BOWLER = "pref_quick_bowler";
/** Identifier for preference which allows user to select a league belong to bowler. */
public static final String KEY_QUICK_LEAGUE = "pref_quick_league";
/** Identifier for preference which indicates if events should be included in stats. */
public static final String KEY_INCLUDE_EVENTS = "pref_include_events";
/** Identifier for preference which indicates if open games should be included in stats. */
public static final String KEY_INCLUDE_OPEN = "pref_include_open";
/** Identifier for preference which allows user to select a theme color. */
public static final String KEY_THEME_COLORS = "pref_theme_colors";
/** Identifier for preference which allows user to select a minimum score to be highlighted. */
public static final String KEY_HIGHLIGHT_SCORE = "pref_highlight_score";
/** Identifier for preference which allows user to enable auto advancing frames. */
public static final String KEY_ENABLE_AUTO_ADVANCE = "pref_enable_auto_advance";
/** Identifier for preference which allows user to select time interval before auto advance. */
public static final String KEY_AUTO_ADVANCE_TIME = "pref_auto_advance_time";
/** Identifier for preference for if app should ask user to combine similar series. */
public static final String KEY_ASK_COMBINE = "pref_ask_combine";
/** Identifier for preference for if floating buttons should be shown when editing a game. */
public static final String KEY_ENABLE_FAB = "pref_enable_fab";
/** Identifier for preference for opening the app's Facebook page. */
public static final String KEY_FACEBOOK_PAGE = "pref_facebook_page";
/** Identifier for preference to show or hide match play results in series view. */
public static final String KEY_SHOW_MATCH_RESULTS = "pref_show_match_results";
/** Identifier for preference to highlight match play results in series view. */
public static final String KEY_HIGHLIGHT_MATCH_RESULTS = "pref_highlight_match_results";
// PREFERENCES
/** Identifier for SharedPreferences of app. */
public static final String PREFS = "ca.josephroque.bowlingcompanion";
/** Identifier for most recently selected bowler id, stored in preferences. */
public static final String PREF_RECENT_BOWLER_ID = "RBI";
/** Identifier for most recently selected league id, stored in preferences. */
public static final String PREF_RECENT_LEAGUE_ID = "RLI";
/** Identifier for custom set bowler id, stored in preferences. */
public static final String PREF_QUICK_BOWLER_ID = "QBI";
/** Identifier for custom set league id, stored in preferences. */
public static final String PREF_QUICK_LEAGUE_ID = "QLI";
/** Identifier for if user has opened the facebook page in the past. */
public static final String PREF_FACEBOOK_PAGE_OPENED = "fb_page_opened";
/** Identifier for if user has closed the facebook promotional content since opening the app. */
public static final String PREF_FACEBOOK_CLOSED = "fb_closed";
// EXTRAS
/** Identifies the name of a bowler as an extra. */
public static final String EXTRA_NAME_BOWLER = "EBN";
/** Identifies the name of a league as an extra. */
public static final String EXTRA_NAME_LEAGUE = "ENL";
/** Identifies the name of a series as an extra. */
public static final String EXTRA_NAME_SERIES = "ENS";
/** Identifies the id of a bowler as an extra. */
public static final String EXTRA_ID_BOWLER = "EIB";
/** Identifies the id of a league as an extra. */
public static final String EXTRA_ID_LEAGUE = "EIL";
/** Identifies the id of a series as an extra. */
public static final String EXTRA_ID_SERIES = "EIS";
/** Identifies the id of a game as an extra. */
public static final String EXTRA_ID_GAME = "EIG";
/** Identifies the number of a game as an extra. */
public static final String EXTRA_GAME_NUMBER = "EGN";
/** Identifies state of event mode as an extra. */
public static final String EXTRA_EVENT_MODE = "EEM";
/** Identifies state of quick series as an extra. */
public static final String EXTRA_QUICK_SERIES = "EQS";
/** Identifies the number of games as an extra. */
public static final String EXTRA_NUMBER_OF_GAMES = "ENOG";
/** Identifies the number of games for a newly created series. */
public static final String EXTRA_GAMES_IN_SERIES = "EGIS";
/** Identifies an array of ids of games. */
public static final String EXTRA_ARRAY_GAME_IDS = "EAGI";
/** Identifies an array of ids of frames. */
public static final String EXTRA_ARRAY_FRAME_IDS = "EAFI";
/** Identifies an array of booleans to indicate if games are locked. */
public static final String EXTRA_ARRAY_GAME_LOCKED = "EAGL";
/** Identifies an array of booleans to indicate if games have manual scores. */
public static final String EXTRA_ARRAY_MANUAL_SCORE_SET = "EAMSS";
/** Identifies the current game number for the navigation drawer. */
public static final String EXTRA_NAV_CURRENT_GAME = "ENCG";
/** Identifies byte indicating current game in GameFragment. */
public static final String EXTRA_CURRENT_GAME = "ECG";
/** Identifies a series object. */
public static final String EXTRA_SERIES = "ES";
/** Identifies a boolean indicating if the user has seen a the tutorial. */
public static final String EXTRA_IGNORE_WATCHED = "EIW";
// REGULAR EXPRESSIONS
/** Regular Expression to match regular names. */
public static final String REGEX_NAME = "^[A-Za-z]+[ A-Za-z]*[A-Za-z]*$";
/** Regular Expression to match regular names with numbers. */
public static final String REGEX_LEAGUE_EVENT_NAME =
"^[A-Za-z0-9]+[ A-Za-z0-9'!@#$%^&*()_+:\"?/\\~-]*[A-Za-z0-9'!@#$%^&*()_+:\"?/\\~-]*$";
// GAMES
/** Number of frames in a game. */
public static final byte NUMBER_OF_FRAMES = 10;
/** Last frame in a game. */
public static final byte LAST_FRAME = 9;
/** Maximum number of games in an event. */
public static final byte MAX_NUMBER_EVENT_GAMES = 20;
/** Maximum number of games in a league. */
public static final byte MAX_NUMBER_LEAGUE_GAMES = 5;
// SCORING VALUES
/** Symbol representing a strike. */
public static final String BALL_STRIKE = "X";
/** Symbol representing a spare. */
public static final String BALL_SPARE = "/";
/** Symbol representing a 'left'. */
public static final String BALL_LEFT = "L";
/** Symbol representing a 'right'. */
public static final String BALL_RIGHT = "R";
/** Symbol representing an 'ace'. */
public static final String BALL_ACE = "A";
/** Symbol representing a 'chop off'. */
public static final String BALL_CHOP_OFF = "C/O";
/** Symbol representing a 'split'. */
public static final String BALL_SPLIT = "Sp";
/** Symbol representing a 'head pin'. */
public static final String BALL_HEAD_PIN = "Hp";
/** Symbol representing a 'head pin + 2 pin'. */
public static final String BALL_HEAD_PIN_2 = "H2";
/** Symbol representing an empty frame. */
public static final String BALL_EMPTY = "-";
/** Array representing the state of all pins as being knocked down. */
public static final boolean[] FRAME_PINS_DOWN = {true, true, true, true, true};
// BALL VALUES
/** Indicates a strike was thrown. */
public static final byte BALL_VALUE_STRIKE = 0;
/** Indicates a left was thrown. */
public static final byte BALL_VALUE_LEFT = 1;
/** Indicates a right was thrown. */
public static final byte BALL_VALUE_RIGHT = 2;
/** Indicates a left chop off was thrown. */
public static final byte BALL_VALUE_LEFT_CHOP = 3;
/** Indicates a right chop off was thrown. */
public static final byte BALL_VALUE_RIGHT_CHOP = 4;
/** Indicates an ace was thrown. */
public static final byte BALL_VALUE_ACE = 5;
/** Indicates a left split was thrown. */
public static final byte BALL_VALUE_LEFT_SPLIT = 6;
/** Indicates a right split was thrown. */
public static final byte BALL_VALUE_RIGHT_SPLIT = 7;
/** Indicates a head pin was thrown. */
public static final byte BALL_VALUE_HEAD_PIN = 8;
// NAMES
/** Maximum length of a regular name. */
public static final byte NAME_MAX_LENGTH = 30;
/** Name of a default league available to every bowler. */
public static final String NAME_OPEN_LEAGUE = "Open";
// MATCH PLAY
/** Represents a game with no match play results set. */
public static final byte MATCH_PLAY_NONE = 0;
/** Represents a game in which the user won match play. */
public static final byte MATCH_PLAY_WON = 1;
/** Represents a game in which the user lost match play. */
public static final byte MATCH_PLAY_LOST = 2;
/** Represents a game in which the user tied match play. */
public static final byte MATCH_PLAY_TIED = 3;
// FRAGMENTS
/** Tag to identify instances of BowlerFragment. */
public static final String FRAGMENT_BOWLERS = "BowlerFragment";
/** Tag to identify instances of LeagueEventFragment. */
public static final String FRAGMENT_LEAGUES = "LeagueEventFragment";
/** Tag to identify instances of SeriesFragment. */
public static final String FRAGMENT_SERIES = "SeriesFragment";
/** Tag to identify instance of GameFragment. */
public static final String FRAGMENT_GAME = "GameFragment";
/** Tag to identify instance of StatsListFragment. */
public static final String FRAGMENT_STAT_LIST = "StatsListFragment";
/** Tag to identify instance of StatsGraphFragment. */
public static final String FRAGMENT_STAT_GRAPH = "StatsGraphFragment";
/** Tag to identify instance of MatchPlayFragment. */
public static final String FRAGMENT_MATCH_PLAY = "MatchPlayFragment";
/** Maximum score of a 5 pin game. */
public static final int GAME_MAX_SCORE = 450;
/** Default minimum score to highlight. */
public static final int DEFAULT_GAME_HIGHLIGHT = 300;
/** Default private constructor. */
private Constants() {
// does nothing
}
}
|
.version 52 0
.class public final super Constants
.super java/lang/Object
.field private static final TAG Ljava/lang/String; = 'Constants'
.field public static final KEY_RATE Ljava/lang/String; = 'pref_rate'
.field public static final KEY_REPORT_BUG Ljava/lang/String; = 'pref_report_bug'
.field public static final KEY_COMMENT_SUGGESTION Ljava/lang/String; = 'pref_comment_suggestion'
.field public static final KEY_ENABLE_QUICK Ljava/lang/String; = 'pref_enable_quick'
.field public static final KEY_QUICK_BOWLER Ljava/lang/String; = 'pref_quick_bowler'
.field public static final KEY_QUICK_LEAGUE Ljava/lang/String; = 'pref_quick_league'
.field public static final KEY_INCLUDE_EVENTS Ljava/lang/String; = 'pref_include_events'
.field public static final KEY_INCLUDE_OPEN Ljava/lang/String; = 'pref_include_open'
.field public static final KEY_THEME_COLORS Ljava/lang/String; = 'pref_theme_colors'
.field public static final KEY_HIGHLIGHT_SCORE Ljava/lang/String; = 'pref_highlight_score'
.field public static final KEY_ENABLE_AUTO_ADVANCE Ljava/lang/String; = 'pref_enable_auto_advance'
.field public static final KEY_AUTO_ADVANCE_TIME Ljava/lang/String; = 'pref_auto_advance_time'
.field public static final KEY_ASK_COMBINE Ljava/lang/String; = 'pref_ask_combine'
.field public static final KEY_ENABLE_FAB Ljava/lang/String; = 'pref_enable_fab'
.field public static final KEY_FACEBOOK_PAGE Ljava/lang/String; = 'pref_facebook_page'
.field public static final KEY_SHOW_MATCH_RESULTS Ljava/lang/String; = 'pref_show_match_results'
.field public static final KEY_HIGHLIGHT_MATCH_RESULTS Ljava/lang/String; = 'pref_highlight_match_results'
.field public static final PREFS Ljava/lang/String; = 'ca.josephroque.bowlingcompanion'
.field public static final PREF_RECENT_BOWLER_ID Ljava/lang/String; = 'RBI'
.field public static final PREF_RECENT_LEAGUE_ID Ljava/lang/String; = 'RLI'
.field public static final PREF_QUICK_BOWLER_ID Ljava/lang/String; = 'QBI'
.field public static final PREF_QUICK_LEAGUE_ID Ljava/lang/String; = 'QLI'
.field public static final PREF_FACEBOOK_PAGE_OPENED Ljava/lang/String; = 'fb_page_opened'
.field public static final PREF_FACEBOOK_CLOSED Ljava/lang/String; = 'fb_closed'
.field public static final EXTRA_NAME_BOWLER Ljava/lang/String; = 'EBN'
.field public static final EXTRA_NAME_LEAGUE Ljava/lang/String; = 'ENL'
.field public static final EXTRA_NAME_SERIES Ljava/lang/String; = 'ENS'
.field public static final EXTRA_ID_BOWLER Ljava/lang/String; = 'EIB'
.field public static final EXTRA_ID_LEAGUE Ljava/lang/String; = 'EIL'
.field public static final EXTRA_ID_SERIES Ljava/lang/String; = 'EIS'
.field public static final EXTRA_ID_GAME Ljava/lang/String; = 'EIG'
.field public static final EXTRA_GAME_NUMBER Ljava/lang/String; = 'EGN'
.field public static final EXTRA_EVENT_MODE Ljava/lang/String; = 'EEM'
.field public static final EXTRA_QUICK_SERIES Ljava/lang/String; = 'EQS'
.field public static final EXTRA_NUMBER_OF_GAMES Ljava/lang/String; = 'ENOG'
.field public static final EXTRA_GAMES_IN_SERIES Ljava/lang/String; = 'EGIS'
.field public static final EXTRA_ARRAY_GAME_IDS Ljava/lang/String; = 'EAGI'
.field public static final EXTRA_ARRAY_FRAME_IDS Ljava/lang/String; = 'EAFI'
.field public static final EXTRA_ARRAY_GAME_LOCKED Ljava/lang/String; = 'EAGL'
.field public static final EXTRA_ARRAY_MANUAL_SCORE_SET Ljava/lang/String; = 'EAMSS'
.field public static final EXTRA_NAV_CURRENT_GAME Ljava/lang/String; = 'ENCG'
.field public static final EXTRA_CURRENT_GAME Ljava/lang/String; = 'ECG'
.field public static final EXTRA_SERIES Ljava/lang/String; = 'ES'
.field public static final EXTRA_IGNORE_WATCHED Ljava/lang/String; = 'EIW'
.field public static final REGEX_NAME Ljava/lang/String; = '^[A-Za-z]+[ A-Za-z]*[A-Za-z]*$'
.field public static final REGEX_LEAGUE_EVENT_NAME Ljava/lang/String; = '^[A-Za-z0-9]+[ A-Za-z0-9\'!@#$%^&*()_+:"?/\\~-]*[A-Za-z0-9\'!@#$%^&*()_+:"?/\\~-]*$'
.field public static final NUMBER_OF_FRAMES B = 10
.field public static final LAST_FRAME B = 9
.field public static final MAX_NUMBER_EVENT_GAMES B = 20
.field public static final MAX_NUMBER_LEAGUE_GAMES B = 5
.field public static final BALL_STRIKE Ljava/lang/String; = 'X'
.field public static final BALL_SPARE Ljava/lang/String; = '/'
.field public static final BALL_LEFT Ljava/lang/String; = 'L'
.field public static final BALL_RIGHT Ljava/lang/String; = 'R'
.field public static final BALL_ACE Ljava/lang/String; = 'A'
.field public static final BALL_CHOP_OFF Ljava/lang/String; = 'C/O'
.field public static final BALL_SPLIT Ljava/lang/String; = 'Sp'
.field public static final BALL_HEAD_PIN Ljava/lang/String; = 'Hp'
.field public static final BALL_HEAD_PIN_2 Ljava/lang/String; = 'H2'
.field public static final BALL_EMPTY Ljava/lang/String; = '-'
.field public static final FRAME_PINS_DOWN [Z
.field public static final BALL_VALUE_STRIKE B = 0
.field public static final BALL_VALUE_LEFT B = 1
.field public static final BALL_VALUE_RIGHT B = 2
.field public static final BALL_VALUE_LEFT_CHOP B = 3
.field public static final BALL_VALUE_RIGHT_CHOP B = 4
.field public static final BALL_VALUE_ACE B = 5
.field public static final BALL_VALUE_LEFT_SPLIT B = 6
.field public static final BALL_VALUE_RIGHT_SPLIT B = 7
.field public static final BALL_VALUE_HEAD_PIN B = 8
.field public static final NAME_MAX_LENGTH B = 30
.field public static final NAME_OPEN_LEAGUE Ljava/lang/String; = 'Open'
.field public static final MATCH_PLAY_NONE B = 0
.field public static final MATCH_PLAY_WON B = 1
.field public static final MATCH_PLAY_LOST B = 2
.field public static final MATCH_PLAY_TIED B = 3
.field public static final FRAGMENT_BOWLERS Ljava/lang/String; = 'BowlerFragment'
.field public static final FRAGMENT_LEAGUES Ljava/lang/String; = 'LeagueEventFragment'
.field public static final FRAGMENT_SERIES Ljava/lang/String; = 'SeriesFragment'
.field public static final FRAGMENT_GAME Ljava/lang/String; = 'GameFragment'
.field public static final FRAGMENT_STAT_LIST Ljava/lang/String; = 'StatsListFragment'
.field public static final FRAGMENT_STAT_GRAPH Ljava/lang/String; = 'StatsGraphFragment'
.field public static final FRAGMENT_MATCH_PLAY Ljava/lang/String; = 'MatchPlayFragment'
.field public static final GAME_MAX_SCORE I = 450
.field public static final DEFAULT_GAME_HIGHLIGHT I = 300
.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 208
L4 210
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 4 locals 0
L0: iconst_5
L1: newarray boolean
L3: dup
L4: iconst_0
L5: iconst_1
L6: bastore
L7: dup
L8: iconst_1
L9: iconst_1
L10: bastore
L11: dup
L12: iconst_2
L13: iconst_1
L14: bastore
L15: dup
L16: iconst_3
L17: iconst_1
L18: bastore
L19: dup
L20: iconst_4
L21: iconst_1
L22: bastore
L23: putstatic Field Constants FRAME_PINS_DOWN [Z
L26: return
L27:
.linenumbertable
L0 146
.end linenumbertable
.end code
.end method
.sourcefile 'Constants.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 22:20:41 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Constants_ESTest extends Constants_ESTest_scaffolding {
@Test
public void notGeneratedAnyTest() {
// EvoSuite did not generate any tests
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 22:20:41 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Constants_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Constants";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
/*No java.lang.System property to set*/
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Constants_ESTest_scaffolding.class.getClassLoader() ,
"Constants"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Constants_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Constants"
);
}
}
| 151,161 |
City
|
public class City {
private int id;
private String cityName;
private String cityCode;
private int provinceId;
public int getId() {
return id;
}
public void setId(int id) {
this.id = id;
}
public String getCityName() {
return cityName;
}
public void setCityName(String cityName) {
this.cityName = cityName;
}
public String getCityCode() {
return cityCode;
}
public void setCityCode(String cityCode) {
this.cityCode = cityCode;
}
public int getProvinceId() {
return provinceId;
}
public void setProvinceId(int provinceId) {
this.provinceId = provinceId;
}
}
|
.version 52 0
.class public super City
.super java/lang/Object
.field private id I
.field private cityName Ljava/lang/String;
.field private cityCode Ljava/lang/String;
.field private provinceId 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 getId : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field City id I
L4: ireturn
L5:
.linenumbertable
L0 9
.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 City id I
L5: return
L6:
.linenumbertable
L0 12
L5 13
.end linenumbertable
.end code
.end method
.method public getCityName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field City cityName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 15
.end linenumbertable
.end code
.end method
.method public setCityName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field City cityName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 18
L5 19
.end linenumbertable
.end code
.end method
.method public getCityCode : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field City cityCode Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 21
.end linenumbertable
.end code
.end method
.method public setCityCode : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field City cityCode Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 25
L5 26
.end linenumbertable
.end code
.end method
.method public getProvinceId : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field City provinceId I
L4: ireturn
L5:
.linenumbertable
L0 28
.end linenumbertable
.end code
.end method
.method public setProvinceId : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field City provinceId I
L5: return
L6:
.linenumbertable
L0 31
L5 32
.end linenumbertable
.end code
.end method
.sourcefile 'City.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 04:34: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 City_ESTest extends City_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
City city0 = new City();
city0.setProvinceId(70);
int int0 = city0.getProvinceId();
assertEquals(70, int0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
City city0 = new City();
city0.setProvinceId((-44666));
int int0 = city0.getProvinceId();
assertEquals((-44666), int0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
City city0 = new City();
city0.setId(1013);
int int0 = city0.getId();
assertEquals(1013, int0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
City city0 = new City();
city0.setId((-43159));
int int0 = city0.getId();
assertEquals((-43159), int0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
City city0 = new City();
city0.setCityName("Vm#>EG");
String string0 = city0.getCityName();
assertEquals("Vm#>EG", string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
City city0 = new City();
city0.setCityCode("m&8");
String string0 = city0.getCityCode();
assertEquals("m&8", string0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
City city0 = new City();
city0.setCityCode("");
String string0 = city0.getCityCode();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
City city0 = new City();
city0.setCityName("");
String string0 = city0.getCityName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
City city0 = new City();
int int0 = city0.getProvinceId();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
City city0 = new City();
int int0 = city0.getId();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
City city0 = new City();
String string0 = city0.getCityName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
City city0 = new City();
String string0 = city0.getCityCode();
assertNull(string0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 04:34: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 City_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "City";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp9y2aay8m");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(City_ESTest_scaffolding.class.getClassLoader() ,
"City"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(City_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"City"
);
}
}
| 151,162 |
ThreadFactoryUtil
|
/*
* Copyright Terracotta, 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.
*/
import java.util.HashMap;
import java.util.Map;
import java.util.concurrent.ThreadFactory;
import java.util.concurrent.atomic.AtomicInteger;
/**
* @author Ludovic Orban
*/
public final class ThreadFactoryUtil {
/** Turn it on to activate thread creation tracking */
private static final boolean DEBUG = false;
/** Stack traces (wrapped in exceptions) of all created threads */
private static final Map<Integer, Exception> threads = (DEBUG ? new HashMap<>() : null);
private ThreadFactoryUtil() {}
/**
* Return a {@code ThreadFactory} that will generate threads named "Ehcache
* [alias]-incrementingNumber"
*
* @param alias the alias to use in the name. If null, the alias used will be "_default_"
* @return the new thread factory
*/
public static ThreadFactory threadFactory(final String alias) {
return new ThreadFactory() {
private final ThreadGroup threadGroup = Thread.currentThread().getThreadGroup();
private final AtomicInteger threadCount = new AtomicInteger();
private final String poolAlias = (alias == null ? "_default_" : alias);
@Override
public Thread newThread(Runnable r) {
Thread t =
new Thread(
threadGroup, r, "Ehcache [" + poolAlias + "]-" + threadCount.getAndIncrement());
if (DEBUG) {
threads.put(System.identityHashCode(t), new Exception(t.getName()));
}
return t;
}
};
}
/**
* Will return all the created threads stack traces produce by the thread factories created if the
* {@link #DEBUG} flag is true.
*
* @return All the created thread stack traces if {@link #DEBUG} is on, or null otherwise
*/
public static Map<Integer, Exception> getCreatedThreads() {
return threads;
}
}
|
.version 52 0
.class public final super ThreadFactoryUtil
.super java/lang/Object
.field private static final DEBUG Z = 0
.field private static final threads Ljava/util/Map; .fieldattributes
.signature Ljava/util/Map<Ljava/lang/Integer;Ljava/lang/Exception;>;
.end fieldattributes
.method private <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 34
.end linenumbertable
.end code
.end method
.method public static threadFactory : (Ljava/lang/String;)Ljava/util/concurrent/ThreadFactory;
.code stack 3 locals 1
L0: new ThreadFactoryUtil$1
L3: dup
L4: aload_0
L5: invokespecial Method ThreadFactoryUtil$1 <init> (Ljava/lang/String;)V
L8: areturn
L9:
.linenumbertable
L0 43
.end linenumbertable
.end code
.end method
.method public static getCreatedThreads : ()Ljava/util/Map;
.code stack 1 locals 0
L0: getstatic Field ThreadFactoryUtil threads Ljava/util/Map;
L3: areturn
L4:
.linenumbertable
L0 66
.end linenumbertable
.end code
.signature ()Ljava/util/Map<Ljava/lang/Integer;Ljava/lang/Exception;>;
.end method
.method static <clinit> : ()V
.code stack 1 locals 0
L0: aconst_null
L1: putstatic Field ThreadFactoryUtil threads Ljava/util/Map;
L4: return
L5:
.linenumbertable
L0 32
.end linenumbertable
.end code
.end method
.sourcefile 'ThreadFactoryUtil.java'
.innerclasses
ThreadFactoryUtil$1 [0] [0] static
.end innerclasses
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 15:06:40 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
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 ThreadFactoryUtil_ESTest extends ThreadFactoryUtil_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Map<Integer, Exception> map0 = ThreadFactoryUtil.getCreatedThreads();
assertNull(map0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
// Undeclared exception!
try {
ThreadFactoryUtil.threadFactory("ThrT8eadFactoryUtil");
fail("Expecting exception: NoClassDefFoundError");
} catch(NoClassDefFoundError e) {
//
// ThreadFactoryUtil$1
//
verifyException("ThreadFactoryUtil", e);
}
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 15:06: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 ThreadFactoryUtil_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ThreadFactoryUtil";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpc99ak4_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(ThreadFactoryUtil_ESTest_scaffolding.class.getClassLoader() ,
"ThreadFactoryUtil"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ThreadFactoryUtil_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ThreadFactoryUtil"
);
}
}
| 151,163 |
LoadGradeBook
|
import java.io.File;
public class LoadGradeBook {
private final File file;
public LoadGradeBook(File file) {
this.file = file;
}
public File getFile() {
return file;
}
@Override
public String toString() {
return "Load grade book from " + this.file;
}
}
|
.version 52 0
.class public super LoadGradeBook
.super java/lang/Object
.field private final file Ljava/io/File;
.method public <init> : (Ljava/io/File;)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 LoadGradeBook file Ljava/io/File;
L9: return
L10:
.linenumbertable
L0 8
L4 9
L9 10
.end linenumbertable
.end code
.end method
.method public getFile : ()Ljava/io/File;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field LoadGradeBook file Ljava/io/File;
L4: areturn
L5:
.linenumbertable
L0 13
.end linenumbertable
.end code
.end method
.method public toString : ()Ljava/lang/String;
.code stack 2 locals 1
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: ldc 'Load grade book from '
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field LoadGradeBook file Ljava/io/File;
L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L19: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L22: areturn
L23:
.linenumbertable
L0 18
.end linenumbertable
.end code
.end method
.sourcefile 'LoadGradeBook.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 01:54:16 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.io.File;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
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 LoadGradeBook_ESTest extends LoadGradeBook_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
File file0 = MockFile.createTempFile("mC}/-H%B8;i", "mC}/-H%B8;i");
LoadGradeBook loadGradeBook0 = new LoadGradeBook(file0);
EvoSuiteFile evoSuiteFile0 = new EvoSuiteFile("/tmp/mC}/-H%B8;i0mC}/-H%B8;i");
FileSystemHandling.appendLineToFile(evoSuiteFile0, " m@x");
File file1 = loadGradeBook0.getFile();
assertSame(file0, file1);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
MockFile mockFile0 = new MockFile("");
LoadGradeBook loadGradeBook0 = new LoadGradeBook(mockFile0);
File file0 = loadGradeBook0.getFile();
assertFalse(file0.isAbsolute());
}
@Test(timeout = 4000)
public void test2() throws Throwable {
File file0 = MockFile.createTempFile(".a+cRfd", "bqI@s9GlE}S8Z~XN");
LoadGradeBook loadGradeBook0 = new LoadGradeBook(file0);
File file1 = loadGradeBook0.getFile();
assertEquals(0L, file1.length());
}
@Test(timeout = 4000)
public void test3() throws Throwable {
MockFile mockFile0 = new MockFile("/\u0002QcnJHQ");
LoadGradeBook loadGradeBook0 = new LoadGradeBook(mockFile0);
File file0 = loadGradeBook0.getFile();
assertEquals("/", file0.getParent());
}
@Test(timeout = 4000)
public void test4() throws Throwable {
LoadGradeBook loadGradeBook0 = new LoadGradeBook((File) null);
String string0 = loadGradeBook0.toString();
assertEquals("Load grade book from null", string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
LoadGradeBook loadGradeBook0 = new LoadGradeBook((File) null);
File file0 = loadGradeBook0.getFile();
assertNull(file0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 01:54:16 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class LoadGradeBook_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "LoadGradeBook";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmphh08_3zv");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(LoadGradeBook_ESTest_scaffolding.class.getClassLoader() ,
"LoadGradeBook"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(LoadGradeBook_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"LoadGradeBook"
);
}
}
| 151,164 |
BlogType
|
import java.io.Serializable;
/**
* ²©¿ÍÀàÐÍʵÌå
*
* @author Administrator
*/
public class BlogType implements Serializable {
/** */
private static final long serialVersionUID = 1L;
private Integer id; // 񅧏
private String typeName; // ²©¿ÍÀàÐÍÃû³Æ
private Integer blogCount; // ÊýÁ¿
private Integer orderNo; // ÅÅÐò ´ÓСµ½´óÅÅÐòÏÔʾ
public Integer getId() {
return id;
}
public void setId(Integer id) {
this.id = id;
}
public String getTypeName() {
return typeName;
}
public void setTypeName(String typeName) {
this.typeName = typeName;
}
public Integer getBlogCount() {
return blogCount;
}
public void setBlogCount(Integer blogCount) {
this.blogCount = blogCount;
}
public Integer getOrderNo() {
return orderNo;
}
public void setOrderNo(Integer orderNo) {
this.orderNo = orderNo;
}
}
|
.version 52 0
.class public super BlogType
.super java/lang/Object
.implements java/io/Serializable
.field private static final serialVersionUID J = 1L
.field private id Ljava/lang/Integer;
.field private typeName Ljava/lang/String;
.field private blogCount Ljava/lang/Integer;
.field private orderNo Ljava/lang/Integer;
.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 getId : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BlogType id Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 23
.end linenumbertable
.end code
.end method
.method public setId : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field BlogType id Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 26
L5 27
.end linenumbertable
.end code
.end method
.method public getTypeName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BlogType typeName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 29
.end linenumbertable
.end code
.end method
.method public setTypeName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field BlogType typeName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 32
L5 33
.end linenumbertable
.end code
.end method
.method public getBlogCount : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BlogType blogCount Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 35
.end linenumbertable
.end code
.end method
.method public setBlogCount : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field BlogType blogCount Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 38
L5 39
.end linenumbertable
.end code
.end method
.method public getOrderNo : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BlogType orderNo Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 41
.end linenumbertable
.end code
.end method
.method public setOrderNo : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field BlogType orderNo Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 44
L5 45
.end linenumbertable
.end code
.end method
.sourcefile 'BlogType.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 21:55:08 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class BlogType_ESTest extends BlogType_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
BlogType blogType0 = new BlogType();
blogType0.setTypeName("BlogType");
String string0 = blogType0.getTypeName();
assertEquals("BlogType", string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
BlogType blogType0 = new BlogType();
blogType0.setTypeName("");
String string0 = blogType0.getTypeName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
BlogType blogType0 = new BlogType();
Integer integer0 = new Integer(1);
blogType0.setOrderNo(integer0);
Integer integer1 = blogType0.getOrderNo();
assertEquals(1, (int)integer1);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
BlogType blogType0 = new BlogType();
Integer integer0 = new Integer(0);
blogType0.setOrderNo(integer0);
Integer integer1 = blogType0.getOrderNo();
assertEquals(0, (int)integer1);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
BlogType blogType0 = new BlogType();
Integer integer0 = new Integer((-78747));
blogType0.setOrderNo(integer0);
Integer integer1 = blogType0.getOrderNo();
assertEquals((-78747), (int)integer1);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
BlogType blogType0 = new BlogType();
Integer integer0 = new Integer((-16486));
blogType0.setOrderNo(integer0);
Integer integer1 = blogType0.getOrderNo();
assertEquals((-16486), (int)integer1);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
BlogType blogType0 = new BlogType();
Integer integer0 = new Integer(0);
blogType0.setId(integer0);
Integer integer1 = blogType0.getId();
assertEquals(0, (int)integer1);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
BlogType blogType0 = new BlogType();
Integer integer0 = new Integer(1);
blogType0.setId(integer0);
Integer integer1 = blogType0.getId();
assertEquals(1, (int)integer1);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
BlogType blogType0 = new BlogType();
Integer integer0 = new Integer((-1075));
blogType0.setId(integer0);
Integer integer1 = blogType0.getId();
assertEquals((-1075), (int)integer1);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
BlogType blogType0 = new BlogType();
Integer integer0 = new Integer(1);
blogType0.setBlogCount(integer0);
Integer integer1 = blogType0.getBlogCount();
assertEquals(1, (int)integer1);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
BlogType blogType0 = new BlogType();
Integer integer0 = new Integer(0);
blogType0.setBlogCount(integer0);
Integer integer1 = blogType0.getBlogCount();
assertEquals(0, (int)integer1);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
BlogType blogType0 = new BlogType();
Integer integer0 = new Integer((-78747));
blogType0.setBlogCount(integer0);
Integer integer1 = blogType0.getBlogCount();
assertEquals((-78747), (int)integer1);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
BlogType blogType0 = new BlogType();
Integer integer0 = new Integer(53634);
blogType0.setBlogCount(integer0);
Integer integer1 = blogType0.getBlogCount();
assertEquals(53634, (int)integer1);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
BlogType blogType0 = new BlogType();
String string0 = blogType0.getTypeName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
BlogType blogType0 = new BlogType();
Integer integer0 = blogType0.getOrderNo();
assertNull(integer0);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
BlogType blogType0 = new BlogType();
Integer integer0 = blogType0.getBlogCount();
assertNull(integer0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
BlogType blogType0 = new BlogType();
Integer integer0 = blogType0.getId();
assertNull(integer0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 21:55: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 BlogType_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "BlogType";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpb44gmk4s");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BlogType_ESTest_scaffolding.class.getClassLoader() ,
"BlogType"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BlogType_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"BlogType"
);
}
}
| 151,165 |
IOTimeoutException
|
import java.io.IOException;
public class IOTimeoutException extends IOException {
public IOTimeoutException(String message) {
super(message);
}
}
|
.version 52 0
.class public super IOTimeoutException
.super java/io/IOException
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/io/IOException <init> (Ljava/lang/String;)V
L5: return
L6:
.linenumbertable
L0 7
L5 8
.end linenumbertable
.end code
.end method
.sourcefile 'IOTimeoutException.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 03:01:09 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class IOTimeoutException_ESTest extends IOTimeoutException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
IOTimeoutException iOTimeoutException0 = new IOTimeoutException("FC(G<~vrmk&$");
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 03:01:09 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class IOTimeoutException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "IOTimeoutException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp0wg5mfvi");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(IOTimeoutException_ESTest_scaffolding.class.getClassLoader() ,
"IOTimeoutException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(IOTimeoutException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"IOTimeoutException"
);
}
}
| 151,166 |
regexdna
|
/*
* Copyright (c) 2007 BUSINESS OBJECTS SOFTWARE LIMITED
* 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 Business Objects 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.
*/
/*
This code has been taken from the computer language shootout web site
(http://shootout.alioth.debian.org/) under the BSD license stated below.
It is included with Open Quark only for comparison with
the Open Quark benchmark implementations.
The modifications from the original are restricted to:
packaging it within the Open Quark 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.
*/
/* The Computer Language Shootout
http://shootout.alioth.debian.org/
contributed by Josh Goldfoot
based on the Nice entry by Isaac Guoy
*/
import java.io.*;
import java.util.regex.*;
public class regexdna {
public regexdna() {}
public static void main(String[] args) {
BufferedReader r = new BufferedReader(new InputStreamReader(System.in));
StringBuffer sb = new StringBuffer(10240);
char[] cbuf = new char[10240];
int charsRead = 0;
try {
while ((charsRead = r.read(cbuf, 0, 10240)) != -1) sb.append(cbuf, 0, charsRead);
} catch (java.io.IOException e) {
return;
}
String sequence = sb.toString();
int initialLength = sequence.length();
sequence = Pattern.compile(">.*\n|\n").matcher(sequence).replaceAll("");
int codeLength = sequence.length();
String[] variants = {
"agggtaaa|tttaccct",
"[cgt]gggtaaa|tttaccc[acg]",
"a[act]ggtaaa|tttacc[agt]t",
"ag[act]gtaaa|tttac[agt]ct",
"agg[act]taaa|ttta[agt]cct",
"aggg[acg]aaa|ttt[cgt]ccct",
"agggt[cgt]aa|tt[acg]accct",
"agggta[cgt]a|t[acg]taccct",
"agggtaa[cgt]|[acg]ttaccct"
};
for (int i = 0; i < variants.length; i++) {
int count = 0;
Matcher m = Pattern.compile(variants[i]).matcher(sequence);
while (m.find()) count++;
System.out.println(variants[i] + " " + count);
}
sequence = Pattern.compile("B").matcher(sequence).replaceAll("(c|g|t)");
sequence = Pattern.compile("D").matcher(sequence).replaceAll("(a|g|t)");
sequence = Pattern.compile("H").matcher(sequence).replaceAll("(a|c|t)");
sequence = Pattern.compile("K").matcher(sequence).replaceAll("(g|t)");
sequence = Pattern.compile("M").matcher(sequence).replaceAll("(a|c)");
sequence = Pattern.compile("N").matcher(sequence).replaceAll("(a|c|g|t)");
sequence = Pattern.compile("R").matcher(sequence).replaceAll("(a|g)");
sequence = Pattern.compile("S").matcher(sequence).replaceAll("(c|g)");
sequence = Pattern.compile("V").matcher(sequence).replaceAll("(a|c|g)");
sequence = Pattern.compile("W").matcher(sequence).replaceAll("(a|t)");
sequence = Pattern.compile("Y").matcher(sequence).replaceAll("(c|t)");
System.out.println();
System.out.println(initialLength);
System.out.println(codeLength);
System.out.println(sequence.length());
}
}
|
.version 52 0
.class public super regexdna
.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 57
L4 58
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 5 locals 12
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: new java/lang/StringBuffer
L21: dup
L22: sipush 10240
L25: invokespecial Method java/lang/StringBuffer <init> (I)V
L28: astore_2
L29: sipush 10240
L32: newarray char
L34: astore_3
L35: iconst_0
L36: istore 4
.catch java/io/IOException from L38 to L66 using L69
.stack full
locals Object [Ljava/lang/String; Object java/io/BufferedReader Object java/lang/StringBuffer Object [C Integer
stack
.end stack
L38: aload_1
L39: aload_3
L40: iconst_0
L41: sipush 10240
L44: invokevirtual Method java/io/BufferedReader read ([CII)I
L47: dup
L48: istore 4
L50: iconst_m1
L51: if_icmpeq L66
L54: aload_2
L55: aload_3
L56: iconst_0
L57: iload 4
L59: invokevirtual Method java/lang/StringBuffer append ([CII)Ljava/lang/StringBuffer;
L62: pop
L63: goto L38
.stack same
L66: goto L72
.stack stack_1 Object java/io/IOException
L69: astore 5
L71: return
.stack same
L72: aload_2
L73: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String;
L76: astore 5
L78: aload 5
L80: invokevirtual Method java/lang/String length ()I
L83: istore 6
L85: ldc '>.*\n|\n'
L87: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;)Ljava/util/regex/Pattern;
L90: aload 5
L92: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher;
L95: ldc ''
L97: invokevirtual Method java/util/regex/Matcher replaceAll (Ljava/lang/String;)Ljava/lang/String;
L100: astore 5
L102: aload 5
L104: invokevirtual Method java/lang/String length ()I
L107: istore 7
L109: bipush 9
L111: anewarray java/lang/String
L114: dup
L115: iconst_0
L116: ldc 'agggtaaa|tttaccct'
L118: aastore
L119: dup
L120: iconst_1
L121: ldc '[cgt]gggtaaa|tttaccc[acg]'
L123: aastore
L124: dup
L125: iconst_2
L126: ldc 'a[act]ggtaaa|tttacc[agt]t'
L128: aastore
L129: dup
L130: iconst_3
L131: ldc 'ag[act]gtaaa|tttac[agt]ct'
L133: aastore
L134: dup
L135: iconst_4
L136: ldc 'agg[act]taaa|ttta[agt]cct'
L138: aastore
L139: dup
L140: iconst_5
L141: ldc 'aggg[acg]aaa|ttt[cgt]ccct'
L143: aastore
L144: dup
L145: bipush 6
L147: ldc 'agggt[cgt]aa|tt[acg]accct'
L149: aastore
L150: dup
L151: bipush 7
L153: ldc 'agggta[cgt]a|t[acg]taccct'
L155: aastore
L156: dup
L157: bipush 8
L159: ldc 'agggtaa[cgt]|[acg]ttaccct'
L161: aastore
L162: astore 8
L164: iconst_0
L165: istore 9
.stack full
locals Object [Ljava/lang/String; Object java/io/BufferedReader Object java/lang/StringBuffer Object [C Integer Object java/lang/String Integer Integer Object [Ljava/lang/String; Integer
stack
.end stack
L167: iload 9
L169: aload 8
L171: arraylength
L172: if_icmpge L247
L175: iconst_0
L176: istore 10
L178: aload 8
L180: iload 9
L182: aaload
L183: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;)Ljava/util/regex/Pattern;
L186: aload 5
L188: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher;
L191: astore 11
.stack append Integer Object java/util/regex/Matcher
L193: aload 11
L195: invokevirtual Method java/util/regex/Matcher find ()Z
L198: ifeq L207
L201: iinc 10 1
L204: goto L193
.stack same
L207: getstatic Field java/lang/System out Ljava/io/PrintStream;
L210: new java/lang/StringBuilder
L213: dup
L214: invokespecial Method java/lang/StringBuilder <init> ()V
L217: aload 8
L219: iload 9
L221: aaload
L222: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L225: ldc ' '
L227: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L230: iload 10
L232: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L235: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L238: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L241: iinc 9 1
L244: goto L167
.stack chop 3
L247: ldc 'B'
L249: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;)Ljava/util/regex/Pattern;
L252: aload 5
L254: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher;
L257: ldc '(c|g|t)'
L259: invokevirtual Method java/util/regex/Matcher replaceAll (Ljava/lang/String;)Ljava/lang/String;
L262: astore 5
L264: ldc 'D'
L266: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;)Ljava/util/regex/Pattern;
L269: aload 5
L271: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher;
L274: ldc '(a|g|t)'
L276: invokevirtual Method java/util/regex/Matcher replaceAll (Ljava/lang/String;)Ljava/lang/String;
L279: astore 5
L281: ldc 'H'
L283: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;)Ljava/util/regex/Pattern;
L286: aload 5
L288: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher;
L291: ldc '(a|c|t)'
L293: invokevirtual Method java/util/regex/Matcher replaceAll (Ljava/lang/String;)Ljava/lang/String;
L296: astore 5
L298: ldc 'K'
L300: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;)Ljava/util/regex/Pattern;
L303: aload 5
L305: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher;
L308: ldc '(g|t)'
L310: invokevirtual Method java/util/regex/Matcher replaceAll (Ljava/lang/String;)Ljava/lang/String;
L313: astore 5
L315: ldc 'M'
L317: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;)Ljava/util/regex/Pattern;
L320: aload 5
L322: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher;
L325: ldc '(a|c)'
L327: invokevirtual Method java/util/regex/Matcher replaceAll (Ljava/lang/String;)Ljava/lang/String;
L330: astore 5
L332: ldc 'N'
L334: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;)Ljava/util/regex/Pattern;
L337: aload 5
L339: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher;
L342: ldc '(a|c|g|t)'
L344: invokevirtual Method java/util/regex/Matcher replaceAll (Ljava/lang/String;)Ljava/lang/String;
L347: astore 5
L349: ldc 'R'
L351: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;)Ljava/util/regex/Pattern;
L354: aload 5
L356: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher;
L359: ldc '(a|g)'
L361: invokevirtual Method java/util/regex/Matcher replaceAll (Ljava/lang/String;)Ljava/lang/String;
L364: astore 5
L366: ldc 'S'
L368: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;)Ljava/util/regex/Pattern;
L371: aload 5
L373: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher;
L376: ldc '(c|g)'
L378: invokevirtual Method java/util/regex/Matcher replaceAll (Ljava/lang/String;)Ljava/lang/String;
L381: astore 5
L383: ldc 'V'
L385: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;)Ljava/util/regex/Pattern;
L388: aload 5
L390: invokevirtual Method java/util/regex/Pattern matcher [u166]
L393: ldc '(a|c|g)'
L395: invokevirtual Method java/util/regex/Matcher replaceAll (Ljava/lang/String;)Ljava/lang/String;
L398: astore 5
L400: ldc 'W'
L402: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;)Ljava/util/regex/Pattern;
L405: aload 5
L407: invokevirtual Method java/util/regex/Pattern matcher [u166]
L410: ldc '(a|t)'
L412: invokevirtual Method java/util/regex/Matcher replaceAll (Ljava/lang/String;)Ljava/lang/String;
L415: astore 5
L417: ldc 'Y'
L419: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;)Ljava/util/regex/Pattern;
L422: aload 5
L424: invokevirtual Method java/util/regex/Pattern matcher [u166]
L427: ldc '(c|t)'
L429: invokevirtual Method java/util/regex/Matcher replaceAll (Ljava/lang/String;)Ljava/lang/String;
L432: astore 5
L434: getstatic Field java/lang/System out Ljava/io/PrintStream;
L437: invokevirtual Method java/io/PrintStream println ()V
L440: getstatic Field java/lang/System out Ljava/io/PrintStream;
L443: iload 6
L445: invokevirtual Method java/io/PrintStream println (I)V
L448: getstatic Field java/lang/System out Ljava/io/PrintStream;
L451: iload 7
L453: invokevirtual Method java/io/PrintStream println (I)V
L456: getstatic Field java/lang/System out Ljava/io/PrintStream;
L459: aload 5
L461: invokevirtual Method java/lang/String length ()I
L464: invokevirtual Method java/io/PrintStream println (I)V
L467: return
L468:
.linenumbertable
L0 61
L18 62
L29 63
L35 64
L38 66
L54 67
L66 70
L69 68
L71 69
L72 71
L78 73
L85 74
L102 75
L109 77
L164 80
L175 81
L178 82
L193 83
L201 84
L207 85
L241 80
L247 88
L264 89
L281 90
L298 91
L315 92
L332 93
L349 94
L366 95
L383 96
L400 97
L417 98
L434 100
L440 101
L448 102
L456 103
L467 104
.end linenumbertable
.end code
.end method
.sourcefile 'regexdna.java'
.const [u166] = Utf8 (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher;
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sun Jul 03 22:42: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 regexdna_ESTest extends regexdna_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[1];
regexdna.main(stringArray0);
regexdna.main(stringArray0);
regexdna regexdna0 = new regexdna();
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 22:42: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 regexdna_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "regexdna";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
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/tmpjhoga19l");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(regexdna_ESTest_scaffolding.class.getClassLoader() ,
"regexdna"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(regexdna_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"regexdna"
);
}
}
| 151,167 |
MyUnitUnderTest
|
import java.io.BufferedReader;
import java.io.FileReader;
public class MyUnitUnderTest {
public boolean myMethod(String configFile) {
someHelper(configFile);
return true;
}
private void someHelper(String configFile) {
try {
FileReader myFile = new FileReader(configFile);
BufferedReader myReader = new BufferedReader(myFile);
String myLine = myReader.readLine();
} catch (Exception e) {
}
}
}
|
.version 52 0
.class public super MyUnitUnderTest
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 4
.end linenumbertable
.end code
.end method
.method public myMethod : (Ljava/lang/String;)Z
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method MyUnitUnderTest someHelper (Ljava/lang/String;)V
L5: iconst_1
L6: ireturn
L7:
.linenumbertable
L0 6
L5 7
.end linenumbertable
.end code
.end method
.method private someHelper : (Ljava/lang/String;)V
.code stack 3 locals 5
.catch java/lang/Exception from L0 to L24 using L27
L0: new java/io/FileReader
L3: dup
L4: aload_1
L5: invokespecial Method java/io/FileReader <init> (Ljava/lang/String;)V
L8: astore_2
L9: new java/io/BufferedReader
L12: dup
L13: aload_2
L14: invokespecial Method java/io/BufferedReader <init> (Ljava/io/Reader;)V
L17: astore_3
L18: aload_3
L19: invokevirtual Method java/io/BufferedReader readLine ()Ljava/lang/String;
L22: astore 4
L24: goto L28
.stack stack_1 Object java/lang/Exception
L27: astore_2
.stack same
L28: return
L29:
.linenumbertable
L0 12
L9 13
L18 14
L24 15
L28 16
.end linenumbertable
.end code
.end method
.sourcefile 'MyUnitUnderTest.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 01:06: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.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 MyUnitUnderTest_ESTest extends MyUnitUnderTest_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
EvoSuiteFile evoSuiteFile0 = new EvoSuiteFile("jKf+");
FileSystemHandling.appendStringToFile(evoSuiteFile0, "MyUnitUnderTest");
MyUnitUnderTest myUnitUnderTest0 = new MyUnitUnderTest();
boolean boolean0 = myUnitUnderTest0.myMethod("jKf+");
assertTrue(boolean0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 01:06: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 MyUnitUnderTest_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "MyUnitUnderTest";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpgvbdzody");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MyUnitUnderTest_ESTest_scaffolding.class.getClassLoader() ,
"MyUnitUnderTest"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MyUnitUnderTest_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MyUnitUnderTest"
);
}
}
| 151,168 |
Parameters
|
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.net.URL;
import java.util.HashMap;
public class Parameters {
private static final HashMap<String, String> PARAMETERS = new HashMap<>();
public Parameters(final URL url) {
String line;
try (final InputStream is = url.openStream();
final InputStreamReader input = new InputStreamReader(is);
final BufferedReader reader = new BufferedReader(input)) {
while ((line = reader.readLine()) != null) {
final String[] param = line.split("=", 2);
if (param[0].matches("codebase|initial_class|initial_jar")) {
PARAMETERS.put(param[0], param[1]);
} else if (param[0].equals("param")) {
final String[] nums = param[1].split("=", 2);
PARAMETERS.put(nums[0], nums[1]);
}
}
} catch (IOException io) {
io.printStackTrace();
}
}
public final String get(final String param) {
return PARAMETERS.get(param);
}
}
|
.version 52 0
.class public super Parameters
.super java/lang/Object
.field private static final PARAMETERS Ljava/util/HashMap; .fieldattributes
.signature Ljava/util/HashMap<Ljava/lang/String;Ljava/lang/String;>;
.end fieldattributes
.method public <init> : (Ljava/net/URL;)V
.code stack 4 locals 17
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_1
L5: invokevirtual Method java/net/URL openStream ()Ljava/io/InputStream;
L8: astore_3
L9: aconst_null
L10: astore 4
L12: new java/io/InputStreamReader
L15: dup
L16: aload_3
L17: invokespecial Method java/io/InputStreamReader <init> (Ljava/io/InputStream;)V
L20: astore 5
L22: aconst_null
L23: astore 6
L25: new java/io/BufferedReader
L28: dup
L29: aload 5
L31: invokespecial Method java/io/BufferedReader <init> (Ljava/io/Reader;)V
L34: astore 7
L36: aconst_null
L37: astore 8
.stack full
locals Object Parameters Object java/net/URL Top Object java/io/InputStream Object java/lang/Throwable Object java/io/InputStreamReader Object java/lang/Throwable Object java/io/BufferedReader Object java/lang/Throwable
stack
.end stack
L39: aload 7
L41: invokevirtual Method java/io/BufferedReader readLine ()Ljava/lang/String;
L44: dup
L45: astore_2
L46: ifnull L130
L49: aload_2
L50: ldc '='
L52: iconst_2
L53: invokevirtual Method java/lang/String split (Ljava/lang/String;I)[Ljava/lang/String;
L56: astore 9
L58: aload 9
L60: iconst_0
L61: aaload
L62: ldc 'codebase|initial_class|initial_jar'
L64: invokevirtual Method java/lang/String matches (Ljava/lang/String;)Z
L67: ifeq L88
L70: getstatic Field Parameters PARAMETERS Ljava/util/HashMap;
L73: aload 9
L75: iconst_0
L76: aaload
L77: aload 9
L79: iconst_1
L80: aaload
L81: invokevirtual Method java/util/HashMap put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object;
L84: pop
L85: goto L127
.stack full
locals Object Parameters Object java/net/URL Object java/lang/String Object java/io/InputStream Object java/lang/Throwable Object java/io/InputStreamReader Object java/lang/Throwable Object java/io/BufferedReader Object java/lang/Throwable Object [Ljava/lang/String;
stack
.end stack
L88: aload 9
L90: iconst_0
L91: aaload
L92: ldc 'param'
L94: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L97: ifeq L127
L100: aload 9
L102: iconst_1
L103: aaload
L104: ldc '='
L106: iconst_2
L107: invokevirtual Method java/lang/String split (Ljava/lang/String;I)[Ljava/lang/String;
L110: astore 10
L112: getstatic Field Parameters PARAMETERS Ljava/util/HashMap;
L115: aload 10
L117: iconst_0
L118: aaload
L119: aload 10
L121: iconst_1
L122: aaload
L123: invokevirtual Method java/util/HashMap put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object;
L126: pop
.stack chop 1
L127: goto L39
.stack same
L130: aload 7
L132: ifnull L217
L135: aload 8
L137: ifnull L160
.catch java/lang/Throwable from L140 to L145 using L148
.catch java/lang/Throwable from L39 to L130 using L168
.catch [0] from L39 to L130 using L177
L140: aload 7
L142: invokevirtual Method java/io/BufferedReader close ()V
L145: goto L217
.stack stack_1 Object java/lang/Throwable
L148: astore 9
L150: aload 8
L152: aload 9
L154: invokevirtual Method java/lang/Throwable addSuppressed (Ljava/lang/Throwable;)V
L157: goto L217
.stack same
L160: aload 7
L162: invokevirtual Method java/io/BufferedReader close ()V
L165: goto L217
.stack full
locals Object Parameters Object java/net/URL Top Object java/io/InputStream Object java/lang/Throwable Object java/io/InputStreamReader Object java/lang/Throwable Object java/io/BufferedReader Object java/lang/Throwable
stack Object java/lang/Throwable
.end stack
L168: astore 9
L170: aload 9
L172: astore 8
L174: aload 9
L176: athrow
.stack stack_1 Object java/lang/Throwable
L177: astore 11
L179: aload 7
L181: ifnull L214
L184: aload 8
L186: ifnull L209
.catch java/lang/Throwable from L189 to L194 using L197
.catch [0] from L168 to L179 using L177
L189: aload 7
L191: invokevirtual Method java/io/BufferedReader close ()V
L194: goto L214
.stack full
locals Object Parameters Object java/net/URL Top Object java/io/InputStream Object java/lang/Throwable Object java/io/InputStreamReader Object java/lang/Throwable Object java/io/BufferedReader Object java/lang/Throwable Top Top Object java/lang/Throwable
stack Object java/lang/Throwable
.end stack
L197: astore 12
L199: aload 8
L201: aload 12
L203: invokevirtual Method java/lang/Throwable addSuppressed (Ljava/lang/Throwable;)V
L206: goto L214
.stack same
L209: aload 7
L211: invokevirtual Method java/io/BufferedReader close ()V
.stack same
L214: aload 11
L216: athrow
.stack full
locals Object Parameters Object java/net/URL Object java/lang/String Object java/io/InputStream Object java/lang/Throwable Object java/io/InputStreamReader Object java/lang/Throwable
stack
.end stack
L217: aload 5
L219: ifnull L304
L222: aload 6
L224: ifnull L247
.catch java/lang/Throwable from L227 to L232 using L235
.catch java/lang/Throwable from L25 to L217 using L255
.catch [0] from L25 to L217 using L264
L227: aload 5
L229: invokevirtual Method java/io/InputStreamReader close ()V
L232: goto L304
.stack stack_1 Object java/lang/Throwable
L235: astore 7
L237: aload 6
L239: aload 7
L241: invokevirtual Method java/lang/Throwable addSuppressed (Ljava/lang/Throwable;)V
L244: goto L304
.stack same
L247: aload 5
L249: invokevirtual Method java/io/InputStreamReader close ()V
L252: goto L304
.stack full
locals Object Parameters Object java/net/URL Top Object java/io/InputStream Object java/lang/Throwable Object java/io/InputStreamReader Object java/lang/Throwable
stack Object java/lang/Throwable
.end stack
L255: astore 7
L257: aload 7
L259: astore 6
L261: aload 7
L263: athrow
.stack stack_1 Object java/lang/Throwable
L264: astore 13
L266: aload 5
L268: ifnull L301
L271: aload 6
L273: ifnull L296
.catch java/lang/Throwable from L276 to L281 using L284
.catch [0] from L255 to L266 using L264
L276: aload 5
L278: invokevirtual Method java/io/InputStreamReader close ()V
L281: goto L301
.stack full
locals Object Parameters Object java/net/URL Top Object java/io/InputStream Object java/lang/Throwable Object java/io/InputStreamReader Object java/lang/Throwable Top Top Top Top Top Top Object java/lang/Throwable
stack Object java/lang/Throwable
.end stack
L284: astore 14
L286: aload 6
L288: aload 14
L290: invokevirtual Method java/lang/Throwable addSuppressed (Ljava/lang/Throwable;)V
L293: goto L301
.stack same
L296: aload 5
L298: invokevirtual Method java/io/InputStreamReader close ()V
.stack same
L301: aload 13
L303: athrow
.stack full
locals Object Parameters Object java/net/URL Object java/lang/String Object java/io/InputStream Object java/lang/Throwable
stack
.end stack
L304: aload_3
L305: ifnull L385
L308: aload 4
L310: ifnull L332
.catch java/lang/Throwable from L313 to L317 using L320
.catch java/lang/Throwable from L12 to L304 using L339
.catch [0] from L12 to L304 using L348
L313: aload_3
L314: invokevirtual Method java/io/InputStream close ()V
L317: goto L385
.stack stack_1 Object java/lang/Throwable
L320: astore 5
L322: aload 4
L324: aload 5
L326: invokevirtual Method java/lang/Throwable addSuppressed (Ljava/lang/Throwable;)V
L329: goto L385
.stack same
L332: aload_3
L333: invokevirtual Method java/io/InputStream close ()V
L336: goto L385
.stack full
locals Object Parameters Object java/net/URL Top Object java/io/InputStream Object java/lang/Throwable
stack Object java/lang/Throwable
.end stack
L339: astore 5
L341: aload 5
L343: astore 4
L345: aload 5
L347: athrow
.stack stack_1 Object java/lang/Throwable
L348: astore 15
L350: aload_3
L351: ifnull L382
L354: aload 4
L356: ifnull L378
.catch java/lang/Throwable from L359 to L363 using L366
.catch [0] from L339 to L350 using L348
.catch java/io/IOException from L4 to L385 using L388
L359: aload_3
L360: invokevirtual Method java/io/InputStream close ()V
L363: goto L382
.stack full
locals Object Parameters Object java/net/URL Top Object java/io/InputStream Object java/lang/Throwable Top Top Top Top Top Top Top Top Top Top Object java/lang/Throwable
stack Object java/lang/Throwable
.end stack
L366: astore 16
L368: aload 4
L370: aload 16
L372: invokevirtual Method java/lang/Throwable addSuppressed (Ljava/lang/Throwable;)V
L375: goto L382
.stack same
L378: aload_3
L379: invokevirtual Method java/io/InputStream close ()V
.stack same
L382: aload 15
L384: athrow
.stack full
locals Object Parameters Object java/net/URL Object java/lang/String
stack
.end stack
L385: goto L393
.stack full
locals Object Parameters Object java/net/URL
stack Object java/io/IOException
.end stack
L388: astore_3
L389: aload_3
L390: invokevirtual Method java/io/IOException printStackTrace ()V
.stack same
L393: return
L394:
.linenumbertable
L0 13
L4 15
L12 16
L22 15
L25 17
L36 15
L39 18
L49 19
L58 20
L70 21
L88 22
L100 23
L112 24
L127 26
L130 27
L168 15
L177 27
L255 15
L264 27
L339 15
L348 27
L385 29
L388 27
L389 28
L393 30
.end linenumbertable
.end code
.end method
.method public final get : (Ljava/lang/String;)Ljava/lang/String;
.code stack 2 locals 2
L0: getstatic Field Parameters PARAMETERS Ljava/util/HashMap;
L3: aload_1
L4: invokevirtual Method java/util/HashMap get (Ljava/lang/Object;)Ljava/lang/Object;
L7: checkcast java/lang/String
L10: areturn
L11:
.linenumbertable
L0 33
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 2 locals 0
L0: new java/util/HashMap
L3: dup
L4: invokespecial Method java/util/HashMap <init> ()V
L7: putstatic Field Parameters PARAMETERS Ljava/util/HashMap;
L10: return
L11:
.linenumbertable
L0 11
.end linenumbertable
.end code
.end method
.sourcefile 'Parameters.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sun Jul 03 17:10:34 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.net.URL;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.mock.java.net.MockURL;
import org.evosuite.runtime.testdata.EvoSuiteURL;
import org.evosuite.runtime.testdata.NetworkHandling;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Parameters_ESTest extends Parameters_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
EvoSuiteURL evoSuiteURL0 = new EvoSuiteURL("http://www.someFakeButWellFormedURL.org/fooExample");
NetworkHandling.createRemoteTextFile(evoSuiteURL0, "param");
URL uRL0 = MockURL.getHttpExample();
Parameters parameters0 = null;
try {
parameters0 = new Parameters(uRL0);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 1
//
verifyException("Parameters", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
EvoSuiteURL evoSuiteURL0 = new EvoSuiteURL("http://www.someFakeButWellFormedURL.org/fooExample");
NetworkHandling.createRemoteTextFile(evoSuiteURL0, "codebase");
URL uRL0 = MockURL.getHttpExample();
Parameters parameters0 = null;
try {
parameters0 = new Parameters(uRL0);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 1
//
verifyException("Parameters", e);
}
}
@Test(timeout = 4000)
public void test2() throws Throwable {
EvoSuiteURL evoSuiteURL0 = new EvoSuiteURL("http://www.someFakeButWellFormedURL.org/fooExample");
NetworkHandling.createRemoteTextFile(evoSuiteURL0, "i([#Z");
URL uRL0 = MockURL.getHttpExample();
Parameters parameters0 = new Parameters(uRL0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
URL uRL0 = MockURL.getHttpExample();
Parameters parameters0 = new Parameters(uRL0);
String string0 = parameters0.get("i([#Z");
assertNull(string0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 17:10:34 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Parameters_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Parameters";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpcbi6c02x");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Parameters_ESTest_scaffolding.class.getClassLoader() ,
"Parameters"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Parameters_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Parameters"
);
}
}
| 151,169 |
Solution
|
public class Solution {
public int lengthOfLongestSubstring(String s) {
int max = 0;
for (int i = 0; i < s.length(); i++) {
boolean[] exist = new boolean[128];
for (int j = 0; j < 26; j++) {
exist[j] = false;
}
int length = 0;
for (int j = i; j < s.length(); j++) {
if (exist[s.charAt(j)]) {
break;
}
length++;
exist[s.charAt(j)] = true;
}
if (length > max) max = length;
}
return max;
}
}
|
.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 lengthOfLongestSubstring : (Ljava/lang/String;)I
.code stack 3 locals 7
L0: iconst_0
L1: istore_2
L2: iconst_0
L3: istore_3
.stack append Integer Integer
L4: iload_3
L5: aload_1
L6: invokevirtual Method java/lang/String length ()I
L9: if_icmpge L105
L12: sipush 128
L15: newarray boolean
L17: astore 4
L19: iconst_0
L20: istore 5
.stack append Object [Z Integer
L22: iload 5
L24: bipush 26
L26: if_icmpge L41
L29: aload 4
L31: iload 5
L33: iconst_0
L34: bastore
L35: iinc 5 1
L38: goto L22
.stack chop 1
L41: iconst_0
L42: istore 5
L44: iload_3
L45: istore 6
.stack append Integer Integer
L47: iload 6
L49: aload_1
L50: invokevirtual Method java/lang/String length ()I
L53: if_icmpge L90
L56: aload 4
L58: aload_1
L59: iload 6
L61: invokevirtual Method java/lang/String charAt (I)C
L64: baload
L65: ifeq L71
L68: goto L90
.stack same
L71: iinc 5 1
L74: aload 4
L76: aload_1
L77: iload 6
L79: invokevirtual Method java/lang/String charAt (I)C
L82: iconst_1
L83: bastore
L84: iinc 6 1
L87: goto L47
.stack chop 1
L90: iload 5
L92: iload_2
L93: if_icmple L99
L96: iload 5
L98: istore_2
.stack chop 2
L99: iinc 3 1
L102: goto L4
.stack chop 1
L105: iload_2
L106: ireturn
L107:
.linenumbertable
L0 3
L2 4
L12 5
L19 6
L29 7
L35 6
L41 9
L44 10
L56 11
L68 12
L71 14
L74 15
L84 10
L90 17
L96 18
L99 4
L105 21
.end linenumbertable
.end code
.end method
.sourcefile 'Solution.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 05:58:07 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Solution_ESTest extends Solution_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Solution solution0 = new Solution();
int int0 = solution0.lengthOfLongestSubstring("");
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Solution solution0 = new Solution();
int int0 = solution0.lengthOfLongestSubstring("BvI.;2N!IMhIhzIF{45");
assertEquals(8, int0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 05:58:07 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class 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/tmp0359sa1q");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.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"
);
}
}
| 151,170 |
Huffman
|
/*
* To change this license header, choose License Headers in Project Properties.
* To change this template file, choose Tools | Templates
* and open the template in the editor.
*/
/**
* @author megarokr
*/
public class Huffman {
public Huffman(char value, int frecuency) {
this.value = value;
this.frecuency = frecuency;
}
public Huffman(char value) {
this.value = value;
this.frecuency = 0;
}
public Huffman(int frecuency) {
this.frecuency = frecuency;
}
public Huffman() {}
public char getValue() {
return value;
}
public void setValue(char value) {
this.value = value;
}
public int getFrecuency() {
return frecuency;
}
public void addFrecuency() {
frecuency++;
}
public void setFrecuency(int frecuency) {
this.frecuency = frecuency;
}
@Override
public String toString() {
return "[" + value + "|" + frecuency + "]";
}
char value;
int frecuency;
}
|
.version 52 0
.class public super Huffman
.super java/lang/Object
.field value C
.field frecuency I
.method public <init> : (CI)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 Huffman value C
L9: aload_0
L10: iload_2
L11: putfield Field Huffman frecuency I
L14: return
L15:
.linenumbertable
L0 14
L4 15
L9 16
L14 17
.end linenumbertable
.end code
.end method
.method public <init> : (C)V
.code stack 2 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iload_1
L6: putfield Field Huffman value C
L9: aload_0
L10: iconst_0
L11: putfield Field Huffman frecuency I
L14: return
L15:
.linenumbertable
L0 19
L4 20
L9 21
L14 22
.end linenumbertable
.end code
.end method
.method public <init> : (I)V
.code stack 2 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iload_1
L6: putfield Field Huffman frecuency I
L9: return
L10:
.linenumbertable
L0 24
L4 25
L9 26
.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 28
L4 29
.end linenumbertable
.end code
.end method
.method public getValue : ()C
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Huffman value C
L4: ireturn
L5:
.linenumbertable
L0 32
.end linenumbertable
.end code
.end method
.method public setValue : (C)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field Huffman value C
L5: return
L6:
.linenumbertable
L0 36
L5 37
.end linenumbertable
.end code
.end method
.method public getFrecuency : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Huffman frecuency I
L4: ireturn
L5:
.linenumbertable
L0 40
.end linenumbertable
.end code
.end method
.method public addFrecuency : ()V
.code stack 3 locals 1
L0: aload_0
L1: dup
L2: getfield Field Huffman frecuency I
L5: iconst_1
L6: iadd
L7: putfield Field Huffman frecuency I
L10: return
L11:
.linenumbertable
L0 44
L10 45
.end linenumbertable
.end code
.end method
.method public setFrecuency : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field Huffman frecuency I
L5: return
L6:
.linenumbertable
L0 48
L5 49
.end linenumbertable
.end code
.end method
.method public toString : ()Ljava/lang/String;
.code stack 2 locals 1
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: ldc '['
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field Huffman value C
L16: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L19: ldc '|'
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: aload_0
L25: getfield Field Huffman frecuency 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 53
.end linenumbertable
.end code
.end method
.sourcefile 'Huffman.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 01:53:27 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Huffman_ESTest extends Huffman_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
Huffman huffman0 = new Huffman('9');
char char0 = huffman0.getValue();
assertEquals('9', char0);
assertEquals(0, huffman0.getFrecuency());
}
@Test(timeout = 4000)
public void test01() throws Throwable {
Huffman huffman0 = new Huffman('L');
char char0 = huffman0.getValue();
assertEquals('L', char0);
assertEquals(0, huffman0.getFrecuency());
}
@Test(timeout = 4000)
public void test02() throws Throwable {
Huffman huffman0 = new Huffman('9');
huffman0.addFrecuency();
int int0 = huffman0.getFrecuency();
assertEquals(1, int0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
Huffman huffman0 = new Huffman(15848);
assertEquals(15848, huffman0.getFrecuency());
}
@Test(timeout = 4000)
public void test04() throws Throwable {
Huffman huffman0 = new Huffman();
huffman0.addFrecuency();
assertEquals(1, huffman0.getFrecuency());
}
@Test(timeout = 4000)
public void test05() throws Throwable {
Huffman huffman0 = new Huffman('m', (-22967));
int int0 = huffman0.getFrecuency();
assertEquals('m', huffman0.getValue());
assertEquals((-22967), int0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
Huffman huffman0 = new Huffman('9');
String string0 = huffman0.toString();
assertEquals("[9|0]", string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
Huffman huffman0 = new Huffman('9');
huffman0.setValue('0');
assertEquals('0', huffman0.getValue());
}
@Test(timeout = 4000)
public void test08() throws Throwable {
Huffman huffman0 = new Huffman();
char char0 = huffman0.getValue();
assertEquals('\u0000', char0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
Huffman huffman0 = new Huffman();
huffman0.setFrecuency(0);
assertEquals(0, huffman0.getFrecuency());
}
@Test(timeout = 4000)
public void test10() throws Throwable {
Huffman huffman0 = new Huffman('9');
int int0 = huffman0.getFrecuency();
assertEquals('9', huffman0.getValue());
assertEquals(0, int0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 01:53:27 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Huffman_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Huffman";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmplni762cq");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Huffman_ESTest_scaffolding.class.getClassLoader() ,
"Huffman"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Huffman_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Huffman"
);
}
}
| 151,171 |
HttpItemSearchService
|
public abstract class HttpItemSearchService {
public abstract String test();
}
|
.version 52 0
.class public super abstract HttpItemSearchService
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 4
.end linenumbertable
.end code
.end method
.method public abstract test : ()Ljava/lang/String;
.end method
.sourcefile 'HttpItemSearchService.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 01:28:16 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class HttpItemSearchService_ESTest extends HttpItemSearchService_ESTest_scaffolding {
@Test
public void notGeneratedAnyTest() {
// EvoSuite did not generate any tests
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 01:28:16 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 HttpItemSearchService_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 = "HttpItemSearchService";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.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(HttpItemSearchService_ESTest_scaffolding.class.getClassLoader() ,
"HttpItemSearchService"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(HttpItemSearchService_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"HttpItemSearchService"
);
}
}
| 151,172 |
NamedThreadFactory
|
/*
* Copyright (c) 2009-2012 jMonkeyEngine
* 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 'jMonkeyEngine' 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.util.concurrent.Executors;
import java.util.concurrent.ThreadFactory;
/**
* A simple factory that delegates to java.util.concurrent's default thread factory but adds a
* prefix to the beginning of the thread name.
*
* @version $Revision$
* @author Paul Speed
*/
public class NamedThreadFactory implements ThreadFactory {
private String name;
private boolean daemon;
private ThreadFactory delegate;
public NamedThreadFactory(String name) {
this(name, Executors.defaultThreadFactory());
}
public NamedThreadFactory(String name, boolean daemon) {
this(name, daemon, Executors.defaultThreadFactory());
}
public NamedThreadFactory(String name, ThreadFactory delegate) {
this(name, false, delegate);
}
public NamedThreadFactory(String name, boolean daemon, ThreadFactory delegate) {
this.name = name;
this.daemon = daemon;
this.delegate = delegate;
}
public Thread newThread(Runnable r) {
Thread result = delegate.newThread(r);
String s = result.getName();
result.setName(name + "[" + s + "]");
result.setDaemon(daemon);
return result;
}
}
|
.version 52 0
.class public super NamedThreadFactory
.super java/lang/Object
.implements java/util/concurrent/ThreadFactory
.field private name Ljava/lang/String;
.field private daemon Z
.field private delegate Ljava/util/concurrent/ThreadFactory;
.method public <init> : (Ljava/lang/String;)V
.code stack 3 locals 2
L0: aload_0
L1: aload_1
L2: invokestatic Method java/util/concurrent/Executors defaultThreadFactory ()Ljava/util/concurrent/ThreadFactory;
L5: invokespecial Method NamedThreadFactory <init> (Ljava/lang/String;Ljava/util/concurrent/ThreadFactory;)V
L8: return
L9:
.linenumbertable
L0 53
L8 54
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;Z)V
.code stack 4 locals 3
L0: aload_0
L1: aload_1
L2: iload_2
L3: invokestatic Method java/util/concurrent/Executors defaultThreadFactory ()Ljava/util/concurrent/ThreadFactory;
L6: invokespecial Method NamedThreadFactory <init> (Ljava/lang/String;ZLjava/util/concurrent/ThreadFactory;)V
L9: return
L10:
.linenumbertable
L0 58
L9 59
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;Ljava/util/concurrent/ThreadFactory;)V
.code stack 4 locals 3
L0: aload_0
L1: aload_1
L2: iconst_0
L3: aload_2
L4: invokespecial Method NamedThreadFactory <init> (Ljava/lang/String;ZLjava/util/concurrent/ThreadFactory;)V
L7: return
L8:
.linenumbertable
L0 63
L7 64
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;ZLjava/util/concurrent/ThreadFactory;)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 NamedThreadFactory name Ljava/lang/String;
L9: aload_0
L10: iload_2
L11: putfield Field NamedThreadFactory daemon Z
L14: aload_0
L15: aload_3
L16: putfield Field NamedThreadFactory delegate Ljava/util/concurrent/ThreadFactory;
L19: return
L20:
.linenumbertable
L0 67
L4 68
L9 69
L14 70
L19 71
.end linenumbertable
.end code
.end method
.method public newThread : (Ljava/lang/Runnable;)Ljava/lang/Thread;
.code stack 3 locals 4
L0: aload_0
L1: getfield Field NamedThreadFactory delegate Ljava/util/concurrent/ThreadFactory;
L4: aload_1
L5: invokeinterface InterfaceMethod java/util/concurrent/ThreadFactory newThread (Ljava/lang/Runnable;)Ljava/lang/Thread; 2
L10: astore_2
L11: aload_2
L12: invokevirtual Method java/lang/Thread getName ()Ljava/lang/String;
L15: astore_3
L16: aload_2
L17: new java/lang/StringBuilder
L20: dup
L21: invokespecial Method java/lang/StringBuilder <init> ()V
L24: aload_0
L25: getfield Field NamedThreadFactory name Ljava/lang/String;
L28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L31: ldc '['
L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L36: aload_3
L37: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)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/Thread setName (Ljava/lang/String;)V
L51: aload_2
L52: aload_0
L53: getfield Field NamedThreadFactory daemon Z
L56: invokevirtual Method java/lang/Thread setDaemon (Z)V
L59: aload_2
L60: areturn
L61:
.linenumbertable
L0 75
L11 76
L16 77
L51 78
L59 79
.end linenumbertable
.end code
.end method
.sourcefile 'NamedThreadFactory.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 14:02:13 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.MockThread;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class NamedThreadFactory_ESTest extends NamedThreadFactory_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
NamedThreadFactory namedThreadFactory0 = new NamedThreadFactory("#");
NamedThreadFactory namedThreadFactory1 = new NamedThreadFactory("NamedThreadFactory", true, namedThreadFactory0);
MockThread mockThread0 = new MockThread();
Thread thread0 = namedThreadFactory1.newThread(mockThread0);
assertTrue(thread0.isDaemon());
}
@Test(timeout = 4000)
public void test1() throws Throwable {
NamedThreadFactory namedThreadFactory0 = new NamedThreadFactory("[/'f9su ", false);
NamedThreadFactory namedThreadFactory1 = new NamedThreadFactory("NamedThreadFactory", true, namedThreadFactory0);
assertFalse(namedThreadFactory1.equals((Object)namedThreadFactory0));
}
@Test(timeout = 4000)
public void test2() throws Throwable {
NamedThreadFactory namedThreadFactory0 = new NamedThreadFactory("[/'f9su ", false);
NamedThreadFactory namedThreadFactory1 = new NamedThreadFactory("A|&TN@/La>4XI}My6[Y", namedThreadFactory0);
assertFalse(namedThreadFactory1.equals((Object)namedThreadFactory0));
}
@Test(timeout = 4000)
public void test3() throws Throwable {
NamedThreadFactory namedThreadFactory0 = new NamedThreadFactory("#");
MockThread mockThread0 = new MockThread();
Thread thread0 = namedThreadFactory0.newThread(mockThread0);
assertFalse(thread0.isDaemon());
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 14:02: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 NamedThreadFactory_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "NamedThreadFactory";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpvio5ehde");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(NamedThreadFactory_ESTest_scaffolding.class.getClassLoader() ,
"NamedThreadFactory"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(NamedThreadFactory_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"NamedThreadFactory"
);
}
}
| 151,173 |
InternalServerError
|
/** Created by hesk on 30/6/15. */
public class InternalServerError extends Exception {
public InternalServerError() {}
public InternalServerError(String detailMessage) {
super(detailMessage);
}
public InternalServerError(String detailMessage, Throwable throwable) {
super(detailMessage, throwable);
}
public InternalServerError(Throwable throwable) {
super(throwable);
}
}
|
.version 52 0
.class public super InternalServerError
.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 9
L4 10
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V
L5: return
L6:
.linenumbertable
L0 13
L5 14
.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 17
L6 18
.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 21
L5 22
.end linenumbertable
.end code
.end method
.sourcefile 'InternalServerError.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sun Jul 03 21:36:41 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 InternalServerError_ESTest extends InternalServerError_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
InternalServerError internalServerError0 = new InternalServerError("");
}
@Test(timeout = 4000)
public void test1() throws Throwable {
MockThrowable mockThrowable0 = new MockThrowable("");
InternalServerError internalServerError0 = new InternalServerError("j", mockThrowable0);
InternalServerError internalServerError1 = new InternalServerError(internalServerError0);
assertFalse(internalServerError1.equals((Object)internalServerError0));
}
@Test(timeout = 4000)
public void test2() throws Throwable {
InternalServerError internalServerError0 = new InternalServerError();
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 21:36:41 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class InternalServerError_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "InternalServerError";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmphu9n78k1");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(InternalServerError_ESTest_scaffolding.class.getClassLoader() ,
"InternalServerError"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(InternalServerError_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"InternalServerError"
);
}
}
| 151,174 |
ProtocolException
|
/*
* 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.
*/
/**
* Used when we need to indicate failure but the (Servlet) API doesn't declare any appropriate
* exceptions.
*/
public class ProtocolException extends RuntimeException {
private static final long serialVersionUID = 1L;
public ProtocolException() {
super();
}
public ProtocolException(String message, Throwable cause) {
super(message, cause);
}
public ProtocolException(String message) {
super(message);
}
public ProtocolException(Throwable cause) {
super(cause);
}
}
|
.version 52 0
.class public super ProtocolException
.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 28
L4 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/RuntimeException <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/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 36
L5 37
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/Throwable;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/Throwable;)V
L5: return
L6:
.linenumbertable
L0 40
L5 41
.end linenumbertable
.end code
.end method
.sourcefile 'ProtocolException.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 01:54:39 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 ProtocolException_ESTest extends ProtocolException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ProtocolException protocolException0 = new ProtocolException();
}
@Test(timeout = 4000)
public void test1() throws Throwable {
MockThrowable mockThrowable0 = new MockThrowable();
ProtocolException protocolException0 = new ProtocolException(mockThrowable0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
ProtocolException protocolException0 = new ProtocolException("");
ProtocolException protocolException1 = new ProtocolException("", protocolException0);
assertFalse(protocolException1.equals((Object)protocolException0));
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 01:54: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 ProtocolException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ProtocolException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp9uo3et8w");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ProtocolException_ESTest_scaffolding.class.getClassLoader() ,
"ProtocolException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ProtocolException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ProtocolException"
);
}
}
| 151,175 |
InstancesRepositoryException
|
/* ******************************************************************************
*
* This file is part of Optsicom
*
* License:
* EPL: http://www.eclipse.org/legal/epl-v10.html
* LGPL 3.0: http://www.gnu.org/licenses/lgpl-3.0-standalone.html
* See the LICENSE file in the project's top-level directory for details.
*
* **************************************************************************** */
public class InstancesRepositoryException extends RuntimeException {
public InstancesRepositoryException() {}
public InstancesRepositoryException(String message) {
super(message);
}
public InstancesRepositoryException(Throwable cause) {
super(cause);
}
public InstancesRepositoryException(String message, Throwable cause) {
super(message);
this.initCause(cause);
}
}
|
.version 52 0
.class public super InstancesRepositoryException
.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 15
L4 16
.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 19
L5 20
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/Throwable;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/Throwable;)V
L5: return
L6:
.linenumbertable
L0 23
L5 24
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;Ljava/lang/Throwable;)V
.code stack 2 locals 3
L0: aload_0
L1: aload_1
L2: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V
L5: aload_0
L6: aload_2
L7: invokevirtual Method InstancesRepositoryException initCause (Ljava/lang/Throwable;)Ljava/lang/Throwable;
L10: pop
L11: return
L12:
.linenumbertable
L0 27
L5 28
L11 29
.end linenumbertable
.end code
.end method
.sourcefile 'InstancesRepositoryException.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 16:14:29 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.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 InstancesRepositoryException_ESTest extends InstancesRepositoryException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
InstancesRepositoryException instancesRepositoryException0 = new InstancesRepositoryException();
}
@Test(timeout = 4000)
public void test1() throws Throwable {
MockThrowable mockThrowable0 = new MockThrowable("");
InstancesRepositoryException instancesRepositoryException0 = new InstancesRepositoryException(mockThrowable0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
InstancesRepositoryException instancesRepositoryException0 = new InstancesRepositoryException("66");
}
@Test(timeout = 4000)
public void test3() throws Throwable {
MockThrowable mockThrowable0 = new MockThrowable("");
InstancesRepositoryException instancesRepositoryException0 = new InstancesRepositoryException("", mockThrowable0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 16:14:29 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class InstancesRepositoryException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "InstancesRepositoryException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpt39q1x8a");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(InstancesRepositoryException_ESTest_scaffolding.class.getClassLoader() ,
"InstancesRepositoryException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(InstancesRepositoryException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"InstancesRepositoryException"
);
}
}
| 151,176 |
EmbeddedSocketAddress
|
/*
* Copyright 2009 Red Hat, Inc.
*
* Red Hat 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.net.SocketAddress;
/**
* @author <a href="http://www.jboss.org/netty/">The Netty Project</a>
* @author <a href="http://gleamynode.net/">Trustin Lee</a>
* @version $Rev: 2080 $, $Date: 2010-01-26 18:04:19 +0900 (Tue, 26 Jan 2010) $
*/
class EmbeddedSocketAddress extends SocketAddress {
private static final long serialVersionUID = 1400788804624980619L;
EmbeddedSocketAddress() {
super();
}
}
|
.version 52 0
.class super EmbeddedSocketAddress
.super java/net/SocketAddress
.field private static final serialVersionUID J = 1400788804624980619L
.method <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/net/SocketAddress <init> ()V
L4: return
L5:
.linenumbertable
L0 29
L4 30
.end linenumbertable
.end code
.end method
.sourcefile 'EmbeddedSocketAddress.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sun Jul 03 18:38: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 EmbeddedSocketAddress_ESTest extends EmbeddedSocketAddress_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
EmbeddedSocketAddress embeddedSocketAddress0 = new EmbeddedSocketAddress();
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 18:38: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 EmbeddedSocketAddress_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "EmbeddedSocketAddress";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpwz1yr4q9");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(EmbeddedSocketAddress_ESTest_scaffolding.class.getClassLoader() ,
"EmbeddedSocketAddress"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(EmbeddedSocketAddress_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"EmbeddedSocketAddress"
);
}
}
| 151,177 |
Generalizations
|
public class Generalizations {
public static void main(String[] args) {
// comment
boolean isComplete = true;
int awesomeLevel = 121;
int epicLevel = 2 * awesomeLevel;
System.out.println(epicLevel);
}
}
|
.version 52 0
.class public super Generalizations
.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 static main : ([Ljava/lang/String;)V
.code stack 2 locals 4
L0: iconst_1
L1: istore_1
L2: bipush 121
L4: istore_2
L5: iconst_2
L6: iload_2
L7: imul
L8: istore_3
L9: getstatic Field java/lang/System out Ljava/io/PrintStream;
L12: iload_3
L13: invokevirtual Method java/io/PrintStream println (I)V
L16: return
L17:
.linenumbertable
L0 5
L2 6
L5 7
L9 8
L16 11
.end linenumbertable
.end code
.end method
.sourcefile 'Generalizations.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 21:12: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 Generalizations_ESTest extends Generalizations_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[5];
Generalizations.main(stringArray0);
assertEquals(5, stringArray0.length);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Generalizations generalizations0 = new Generalizations();
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 21:12: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 Generalizations_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Generalizations";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp0etdx7wl");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Generalizations_ESTest_scaffolding.class.getClassLoader() ,
"Generalizations"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Generalizations_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Generalizations"
);
}
}
| 151,178 |
Id
|
/*
* Rainbow - A simulator of processes and resources in a multitasking computer.
* Copyright (C) 2006. E-mail: piero.dallepezze@gmail.com
*
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation; either version 2 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License along
* with this program; if not, write to the Free Software Foundation, Inc.,
* 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA.
*
*
* File: Id.java
* Package: data
* Author: Michele Perin, Dalle Pezze Piero
* Date: 16/02/2006
* Version: 1.1
*
* Modifies:
* v.1.1 (31/01/2007): English translation. Java6 compatible. (Dalle Pezze Piero)
* v.1.0 (16/02/2006): Class and documentation definition.
*/
/**
* It generates unique process identification (ID).
*
* @author Michele Perin
* @author Dalle Pezze Piero
* @version 1.1
*/
public class Id {
/** Id type instance counter. */
private static int counter = 0;
/**
* It returns a new increased id.
*
* @return a new unique id.
*/
public static final int returnNewId() {
counter++;
return counter;
}
/**
* It sets the counter id.
*
* @param id the current counter id.
*/
public static final void setCounterId(int id) {
counter = id;
}
/**
* It gets the last id.
*
* @return the last id.
*/
public static final int getCounterId() {
return counter;
}
/** It decreases the counter id. */
public static final void decreaseId() {
counter--;
}
/** It resets the counter. */
public static final void resetCounter() {
counter = 0;
}
}
|
.version 52 0
.class public super Id
.super java/lang/Object
.field private static counter 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 40
.end linenumbertable
.end code
.end method
.method public static final returnNewId : ()I
.code stack 2 locals 0
L0: getstatic Field Id counter I
L3: iconst_1
L4: iadd
L5: putstatic Field Id counter I
L8: getstatic Field Id counter I
L11: ireturn
L12:
.linenumbertable
L0 52
L8 53
.end linenumbertable
.end code
.end method
.method public static final setCounterId : (I)V
.code stack 1 locals 1
L0: iload_0
L1: putstatic Field Id counter I
L4: return
L5:
.linenumbertable
L0 63
L4 64
.end linenumbertable
.end code
.end method
.method public static final getCounterId : ()I
.code stack 1 locals 0
L0: getstatic Field Id counter I
L3: ireturn
L4:
.linenumbertable
L0 72
.end linenumbertable
.end code
.end method
.method public static final decreaseId : ()V
.code stack 2 locals 0
L0: getstatic Field Id counter I
L3: iconst_1
L4: isub
L5: putstatic Field Id counter I
L8: return
L9:
.linenumbertable
L0 79
L8 80
.end linenumbertable
.end code
.end method
.method public static final resetCounter : ()V
.code stack 1 locals 0
L0: iconst_0
L1: putstatic Field Id counter I
L4: return
L5:
.linenumbertable
L0 86
L4 87
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 1 locals 0
L0: iconst_0
L1: putstatic Field Id counter I
L4: return
L5:
.linenumbertable
L0 44
.end linenumbertable
.end code
.end method
.sourcefile 'Id.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 02:46:55 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Id_ESTest extends Id_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Id.decreaseId();
int int0 = Id.returnNewId();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Id.setCounterId((-84343));
int int0 = Id.returnNewId();
assertEquals((-84342), int0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Id id0 = new Id();
assertEquals(0, id0.getCounterId());
}
@Test(timeout = 4000)
public void test3() throws Throwable {
int int0 = Id.getCounterId();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Id.decreaseId();
int int0 = Id.getCounterId();
assertEquals((-1), int0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
int int0 = Id.returnNewId();
assertEquals(1, int0);
int int1 = Id.getCounterId();
assertEquals(1, int1);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
Id.resetCounter();
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 02:46:55 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Id_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Id";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpyx2z72_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(Id_ESTest_scaffolding.class.getClassLoader() ,
"Id"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Id_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Id"
);
}
}
| 151,179 |
DashboardCard
|
/* Copyright 2014 Hoyt Summers Pittman III
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
import java.net.MalformedURLException;
import java.net.URL;
public class DashboardCard {
public final String text;
public final URL imageUrl;
public DashboardCard(String text, String imageUrl) {
this.text = text;
try {
this.imageUrl = new URL(imageUrl);
} catch (MalformedURLException e) {
throw new RuntimeException(e);
}
}
}
|
.version 52 0
.class public super DashboardCard
.super java/lang/Object
.field public final text Ljava/lang/String;
.field public final imageUrl Ljava/net/URL;
.method public <init> : (Ljava/lang/String;Ljava/lang/String;)V
.code stack 4 locals 4
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field DashboardCard text Ljava/lang/String;
.catch java/net/MalformedURLException from L9 to L21 using L24
L9: aload_0
L10: new java/net/URL
L13: dup
L14: aload_2
L15: invokespecial Method java/net/URL <init> (Ljava/lang/String;)V
L18: putfield Field DashboardCard imageUrl Ljava/net/URL;
L21: goto L34
.stack full
locals Object DashboardCard Object java/lang/String Object java/lang/String
stack Object java/net/MalformedURLException
.end stack
L24: astore_3
L25: new java/lang/RuntimeException
L28: dup
L29: aload_3
L30: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/Throwable;)V
L33: athrow
.stack same
L34: return
L35:
.linenumbertable
L0 26
L4 27
L9 29
L21 32
L24 30
L25 31
L34 33
.end linenumbertable
.end code
.end method
.sourcefile 'DashboardCard.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 01:04:15 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 DashboardCard_ESTest extends DashboardCard_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
DashboardCard dashboardCard0 = null;
try {
dashboardCard0 = new DashboardCard("", "");
fail("Expecting exception: RuntimeException");
} catch(RuntimeException e) {
//
// java.net.MalformedURLException: no protocol:
//
verifyException("DashboardCard", e);
}
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 01:04: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 DashboardCard_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "DashboardCard";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp041rpcsc");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DashboardCard_ESTest_scaffolding.class.getClassLoader() ,
"DashboardCard"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DashboardCard_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"DashboardCard"
);
}
}
| 151,180 |
calculete
|
public class calculete {
public static void main(String[] arg) {
System.out.println("HEloo...");
}
}
|
.version 52 0
.class public super calculete
.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 static main : ([Ljava/lang/String;)V
.code stack 2 locals 1
L0: getstatic Field java/lang/System out Ljava/io/PrintStream;
L3: ldc 'HEloo...'
L5: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L8: return
L9:
.linenumbertable
L0 3
L8 4
.end linenumbertable
.end code
.end method
.sourcefile 'calculete.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sun Jul 03 17:42:11 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class calculete_ESTest extends calculete_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
calculete calculete0 = new calculete();
}
@Test(timeout = 4000)
public void test1() throws Throwable {
String[] stringArray0 = new String[6];
calculete.main(stringArray0);
assertEquals(6, stringArray0.length);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 17:42:11 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class calculete_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "calculete";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp876s3_sc");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(calculete_ESTest_scaffolding.class.getClassLoader() ,
"calculete"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(calculete_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"calculete"
);
}
}
| 151,181 |
TruncatedResponseException
|
/*
* JBoss, Home of Professional Open Source.
* Copyright 2014 Red Hat, Inc., and individual contributors
* as indicated by the @author tags.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
import java.io.IOException;
/**
* An exception indicating that the response channel was prematurely closed. The response channel
* must be shut down and flushed successfully after all requests, even those which do not send a
* response body.
*
* @author <a href="mailto:david.lloyd@redhat.com">David M. Lloyd</a>
*/
public class TruncatedResponseException extends IOException {
/**
* Constructs a {@code TruncatedResponseException} with no detail message. The cause is not
* initialized, and may subsequently be initialized by a call to {@link #initCause(Throwable)
* initCause}.
*/
public TruncatedResponseException() {}
/**
* Constructs a {@code TruncatedResponseException} with the specified detail message. The cause is
* not initialized, and may subsequently be initialized by a call to {@link #initCause(Throwable)
* initCause}.
*
* @param msg the detail message
*/
public TruncatedResponseException(final String msg) {
super(msg);
}
/**
* Constructs a {@code TruncatedResponseException} with the specified cause. The detail message is
* set to:
*
* <pre>(cause == null ? null : cause.toString())</pre>
*
* (which typically contains the class and detail message of {@code cause}).
*
* @param cause the cause (which is saved for later retrieval by the {@link #getCause()} method)
*/
public TruncatedResponseException(final Throwable cause) {
super(cause);
}
/**
* Constructs a {@code TruncatedResponseException} with the specified detail message and cause.
*
* @param msg the detail message
* @param cause the cause (which is saved for later retrieval by the {@link #getCause()} method)
*/
public TruncatedResponseException(final String msg, final Throwable cause) {
super(msg, cause);
}
}
|
.version 52 0
.class public super TruncatedResponseException
.super java/io/IOException
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/io/IOException <init> ()V
L4: return
L5:
.linenumbertable
L0 35
L4 36
.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/io/IOException <init> (Ljava/lang/String;)V
L5: return
L6:
.linenumbertable
L0 45
L5 46
.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/io/IOException <init> (Ljava/lang/Throwable;)V
L5: return
L6:
.linenumbertable
L0 56
L5 57
.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/io/IOException <init> (Ljava/lang/String;Ljava/lang/Throwable;)V
L6: return
L7:
.linenumbertable
L0 66
L6 67
.end linenumbertable
.end code
.end method
.sourcefile 'TruncatedResponseException.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 00:54: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 TruncatedResponseException_ESTest extends TruncatedResponseException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
TruncatedResponseException truncatedResponseException0 = new TruncatedResponseException("(Dtsluu&");
TruncatedResponseException truncatedResponseException1 = new TruncatedResponseException("(Dtsluu&", truncatedResponseException0);
assertFalse(truncatedResponseException1.equals((Object)truncatedResponseException0));
}
@Test(timeout = 4000)
public void test1() throws Throwable {
TruncatedResponseException truncatedResponseException0 = new TruncatedResponseException();
TruncatedResponseException truncatedResponseException1 = new TruncatedResponseException(truncatedResponseException0);
assertFalse(truncatedResponseException1.equals((Object)truncatedResponseException0));
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 00:54: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 TruncatedResponseException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "TruncatedResponseException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpgor0eeh3");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TruncatedResponseException_ESTest_scaffolding.class.getClassLoader() ,
"TruncatedResponseException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TruncatedResponseException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"TruncatedResponseException"
);
}
}
| 151,182 |
Splash
|
import java.util.List;
/**
* ============================================================ 版权: xx有限公司 版权所有(c)2017
*
* <p>作者:Loofer 版本:1.0 创建日期 :2017/1/2 21:38. 描述:
*
* <p>注:如果您修改了本类请填写以下内容作为记录,如非本人操作劳烦通知,谢谢!!! Modified Date Modify Content:
*
* <p>==========================================================
*/
public class Splash {
/**
* status : ok time : 1468154610 images :
* ["http://img.owspace.com/Public/uploads/Picture/2016-07-10/578242d91d113.jpg","http://img.owspace.com/Public/uploads/Picture/2016-07-10/578242d62ce5f.jpg","http://img.owspace.com/Public/uploads/Picture/2016-07-10/578242d2e6e61.jpg","http://img.owspace.com/Public/uploads/Picture/2016-07-10/578242d0468b1.jpg","http://img.owspace.com/Public/uploads/Picture/2016-07-10/578242cada2b5.jpg","http://img.owspace.com/Public/uploads/Picture/2016-07-10/578242c7198d2.jpg","http://img.owspace.com/Public/uploads/Picture/2016-07-07/577dbb32d1ca9.jpg","http://img.owspace.com/Public/uploads/Picture/2016-07-05/577b1fcd65e2a.jpg"]
* count : 8
*/
public String status;
public int time;
public int count;
public List<String> images;
}
|
.version 52 0
.class public super Splash
.super java/lang/Object
.field public status Ljava/lang/String;
.field public time I
.field public count I
.field public images Ljava/util/List; .fieldattributes
.signature Ljava/util/List<Ljava/lang/String;>;
.end fieldattributes
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 20
.end linenumbertable
.end code
.end method
.sourcefile 'Splash.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 02:52: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 Splash_ESTest extends Splash_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Splash splash0 = new Splash();
assertEquals(0, splash0.time);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 02:52: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 Splash_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Splash";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpgld8i0e5");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Splash_ESTest_scaffolding.class.getClassLoader() ,
"Splash"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Splash_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Splash"
);
}
}
| 151,183 |
CanStringBePalindromeSorting
|
// Copyright (c) 2015 Elements of Programming Interviews. All rights reserved.
import java.util.Arrays;
public class CanStringBePalindromeSorting {
// @include
public static boolean canFormPalindrome(String s) {
char[] a = s.toCharArray();
Arrays.sort(a);
int oddCount = 0;
int numCurrChar = 1;
for (int i = 1; i < a.length && oddCount <= 1; ++i) {
if (a[i] != a[i - 1]) {
if ((numCurrChar % 2) != 0) {
++oddCount;
}
numCurrChar = 1;
} else {
++numCurrChar;
}
}
if ((numCurrChar & 1) != 0) {
++oddCount;
}
// A string can be permuted as a palindrome if the number of odd time
// chars <= 1.
return oddCount <= 1;
}
// @exclude
}
|
.version 52 0
.class public super CanStringBePalindromeSorting
.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 canFormPalindrome : (Ljava/lang/String;)Z
.code stack 4 locals 5
L0: aload_0
L1: invokevirtual Method java/lang/String toCharArray ()[C
L4: astore_1
L5: aload_1
L6: invokestatic Method java/util/Arrays sort ([C)V
L9: iconst_0
L10: istore_2
L11: iconst_1
L12: istore_3
L13: iconst_1
L14: istore 4
.stack full
locals Object java/lang/String Object [C Integer Integer Integer
stack
.end stack
L16: iload 4
L18: aload_1
L19: arraylength
L20: if_icmpge L64
L23: iload_2
L24: iconst_1
L25: if_icmpgt L64
L28: aload_1
L29: iload 4
L31: caload
L32: aload_1
L33: iload 4
L35: iconst_1
L36: isub
L37: caload
L38: if_icmpeq L55
L41: iload_3
L42: iconst_2
L43: irem
L44: ifeq L50
L47: iinc 2 1
.stack same
L50: iconst_1
L51: istore_3
L52: goto L58
.stack same
L55: iinc 3 1
.stack same
L58: iinc 4 1
L61: goto L16
.stack chop 1
L64: iload_3
L65: iconst_1
L66: iand
L67: ifeq L73
L70: iinc 2 1
.stack same
L73: iload_2
L74: iconst_1
L75: if_icmpgt L82
L78: iconst_1
L79: goto L83
.stack same
L82: iconst_0
.stack stack_1 Integer
L83: ireturn
L84:
.linenumbertable
L0 10
L5 11
L9 12
L11 13
L13 15
L28 16
L41 17
L47 18
L50 20
L55 22
L58 15
L64 25
L70 26
L73 31
.end linenumbertable
.end code
.end method
.sourcefile 'CanStringBePalindromeSorting.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 07: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 CanStringBePalindromeSorting_ESTest extends CanStringBePalindromeSorting_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
boolean boolean0 = CanStringBePalindromeSorting.canFormPalindrome("V?S<H.jsXEg.l");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
boolean boolean0 = CanStringBePalindromeSorting.canFormPalindrome("tt.");
boolean boolean1 = CanStringBePalindromeSorting.canFormPalindrome("CanStringBePalindromeSorting");
assertFalse(boolean1 == boolean0);
assertFalse(boolean1);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
CanStringBePalindromeSorting.canFormPalindrome("");
CanStringBePalindromeSorting canStringBePalindromeSorting0 = new CanStringBePalindromeSorting();
boolean boolean0 = CanStringBePalindromeSorting.canFormPalindrome("/bzdq+-YgMbU^~W`");
boolean boolean1 = CanStringBePalindromeSorting.canFormPalindrome("tt.");
assertFalse(boolean1 == boolean0);
assertTrue(boolean1);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 07: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 CanStringBePalindromeSorting_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "CanStringBePalindromeSorting";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp04dql9t_");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CanStringBePalindromeSorting_ESTest_scaffolding.class.getClassLoader() ,
"CanStringBePalindromeSorting"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CanStringBePalindromeSorting_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"CanStringBePalindromeSorting"
);
}
}
| 151,184 |
TimeslotException
|
public class TimeslotException extends Exception {
public TimeslotException(String s) {
super(s);
}
}
|
.version 52 0
.class public super TimeslotException
.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 6
L5 7
.end linenumbertable
.end code
.end method
.sourcefile 'TimeslotException.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 06:40:36 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class TimeslotException_ESTest extends TimeslotException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
TimeslotException timeslotException0 = new TimeslotException("t$hr_>>b_ujqk~An!Qi");
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 06:40: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 TimeslotException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "TimeslotException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpqndwkuyg");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TimeslotException_ESTest_scaffolding.class.getClassLoader() ,
"TimeslotException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TimeslotException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"TimeslotException"
);
}
}
| 151,185 |
Main
|
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.io.PrintWriter;
import java.net.Socket;
import java.util.Scanner;
public class Main {
public static void main(String[] args) throws IOException {
final Socket socket = new Socket("192.168.0.103", 6789);
final PrintWriter out = new PrintWriter(socket.getOutputStream());
// out.print("Hello");
// out.flush();
final BufferedReader in = new BufferedReader(new InputStreamReader(socket.getInputStream()));
new Thread(
new Runnable() {
@Override
public void run() {
String line = null;
do {
try {
line = in.readLine();
} catch (IOException e) {
System.out.println("IOException :: " + e.getMessage());
}
if (line != null) {
System.out.println("Got: " + line);
}
} while (line != null);
}
})
.start();
Scanner sc = new Scanner(System.in);
while (sc.hasNextLine()) {
String line = sc.nextLine();
if (line != null) {
out.print(line);
out.flush();
if (line.equalsIgnoreCase("close")) {
break;
}
}
}
sc.close();
in.close();
out.close();
socket.close();
}
}
|
.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 9
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 5 locals 6
L0: new java/net/Socket
L3: dup
L4: ldc '192.168.0.103'
L6: sipush 6789
L9: invokespecial Method java/net/Socket <init> (Ljava/lang/String;I)V
L12: astore_1
L13: new java/io/PrintWriter
L16: dup
L17: aload_1
L18: invokevirtual Method java/net/Socket getOutputStream ()Ljava/io/OutputStream;
L21: invokespecial Method java/io/PrintWriter <init> (Ljava/io/OutputStream;)V
L24: astore_2
L25: new java/io/BufferedReader
L28: dup
L29: new java/io/InputStreamReader
L32: dup
L33: aload_1
L34: invokevirtual Method java/net/Socket getInputStream ()Ljava/io/InputStream;
L37: invokespecial Method java/io/InputStreamReader <init> (Ljava/io/InputStream;)V
L40: invokespecial Method java/io/BufferedReader <init> (Ljava/io/Reader;)V
L43: astore_3
L44: new java/lang/Thread
L47: dup
L48: new Main$1
L51: dup
L52: aload_3
L53: invokespecial Method Main$1 <init> (Ljava/io/BufferedReader;)V
L56: invokespecial Method java/lang/Thread <init> (Ljava/lang/Runnable;)V
L59: invokevirtual Method java/lang/Thread start ()V
L62: new java/util/Scanner
L65: dup
L66: getstatic Field java/lang/System in Ljava/io/InputStream;
L69: invokespecial Method java/util/Scanner <init> (Ljava/io/InputStream;)V
L72: astore 4
.stack full
locals Object [Ljava/lang/String; Object java/net/Socket Object java/io/PrintWriter Object java/io/BufferedReader Object java/util/Scanner
stack
.end stack
L74: aload 4
L76: invokevirtual Method java/util/Scanner hasNextLine ()Z
L79: ifeq L120
L82: aload 4
L84: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String;
L87: astore 5
L89: aload 5
L91: ifnull L117
L94: aload_2
L95: aload 5
L97: invokevirtual Method java/io/PrintWriter print (Ljava/lang/String;)V
L100: aload_2
L101: invokevirtual Method java/io/PrintWriter flush ()V
L104: aload 5
L106: ldc 'close'
L108: invokevirtual Method java/lang/String equalsIgnoreCase (Ljava/lang/String;)Z
L111: ifeq L117
L114: goto L120
.stack same
L117: goto L74
.stack same
L120: aload 4
L122: invokevirtual Method java/util/Scanner close ()V
L125: aload_3
L126: invokevirtual Method java/io/BufferedReader close ()V
L129: aload_2
L130: invokevirtual Method java/io/PrintWriter close ()V
L133: aload_1
L134: invokevirtual Method java/net/Socket close ()V
L137: return
L138:
.linenumbertable
L0 12
L13 13
L25 16
L44 18
L59 33
L62 35
L74 36
L82 37
L89 38
L94 39
L100 40
L104 41
L114 42
L117 45
L120 46
L125 47
L129 48
L133 49
L137 50
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.sourcefile 'Main.java'
.innerclasses
Main$1 [0] [0] static
.end innerclasses
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 02:29:18 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.io.IOException;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Main_ESTest extends Main_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[0];
try {
Main.main(stringArray0);
fail("Expecting exception: IOException");
} catch(IOException e) {
//
// Remote address/port is not opened: org.evosuite.runtime.vnet.EndPointInfo@ed045589
//
verifyException("org.evosuite.runtime.vnet.VirtualNetwork", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Main main0 = new Main();
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 02:29: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 Main_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Main";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp02phmghi");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.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"
);
}
}
| 151,186 |
Constants
|
import java.util.concurrent.TimeUnit;
public class Constants {
private Constants() {}
public static final Long TIMEOUT = TimeUnit.SECONDS.toMillis(10);
public static final String BRIDGEIP = "bridge";
public static final String BRIDGEKEY = "bridgeKey";
public static final String HUEDATEFORMAT = "yyyy-MM-dd'T'HH:mm:ss";
public static final String TIMEFORMAT = "HH:mm:ss";
public static final String DATEFORMAT = "dd MMM yyyy";
public static final String QV_POS_X = "qvPos.x";
public static final String QV_POS_Y = "qvPos.y";
public static final String HIDE_ON_CLOSE = "hideOnClose";
public static final String QV_COLOR = "qvColor";
public static final String SHOW_QV = "qvShow";
public static final String QV_SENSOR = "qvState.";
public static final String TEMP_OFFSET_SENSOR = "temp.offset.";
public static final String ENV_USER_HOME = System.getProperty("user.home");
public static final String WORK_DIR = "/.huesense";
public static final String DB_FILE = "/derby.db";
public static final String JDBC =
"jdbc:derby:" + ENV_USER_HOME + WORK_DIR + DB_FILE + ";create=true";
public static final String CSV_SEP = ",";
}
|
.version 52 0
.class public super Constants
.super java/lang/Object
.field public static final TIMEOUT Ljava/lang/Long;
.field public static final BRIDGEIP Ljava/lang/String; = 'bridge'
.field public static final BRIDGEKEY Ljava/lang/String; = 'bridgeKey'
.field public static final HUEDATEFORMAT Ljava/lang/String; = "yyyy-MM-dd'T'HH:mm:ss"
.field public static final TIMEFORMAT Ljava/lang/String; = 'HH:mm:ss'
.field public static final DATEFORMAT Ljava/lang/String; = 'dd MMM yyyy'
.field public static final QV_POS_X Ljava/lang/String; = 'qvPos.x'
.field public static final QV_POS_Y Ljava/lang/String; = 'qvPos.y'
.field public static final HIDE_ON_CLOSE Ljava/lang/String; = 'hideOnClose'
.field public static final QV_COLOR Ljava/lang/String; = 'qvColor'
.field public static final SHOW_QV Ljava/lang/String; = 'qvShow'
.field public static final QV_SENSOR Ljava/lang/String; = 'qvState.'
.field public static final TEMP_OFFSET_SENSOR Ljava/lang/String; = 'temp.offset.'
.field public static final ENV_USER_HOME Ljava/lang/String;
.field public static final WORK_DIR Ljava/lang/String; = '/.huesense'
.field public static final DB_FILE Ljava/lang/String; = '/derby.db'
.field public static final JDBC Ljava/lang/String;
.field public static final CSV_SEP Ljava/lang/String; = ','
.method private <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 7
L4 8
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 3 locals 0
L0: getstatic Field java/util/concurrent/TimeUnit SECONDS Ljava/util/concurrent/TimeUnit;
L3: ldc2_w 10L
L6: invokevirtual Method java/util/concurrent/TimeUnit toMillis (J)J
L9: invokestatic Method java/lang/Long valueOf (J)Ljava/lang/Long;
L12: putstatic Field Constants TIMEOUT Ljava/lang/Long;
L15: ldc 'user.home'
L17: invokestatic Method java/lang/System getProperty (Ljava/lang/String;)Ljava/lang/String;
L20: putstatic Field Constants ENV_USER_HOME Ljava/lang/String;
L23: new java/lang/StringBuilder
L26: dup
L27: invokespecial Method java/lang/StringBuilder <init> ()V
L30: ldc 'jdbc:derby:'
L32: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L35: getstatic Field Constants ENV_USER_HOME Ljava/lang/String;
L38: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L41: ldc '/.huesense'
L43: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L46: ldc '/derby.db'
L48: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L51: ldc ';create=true'
L53: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L56: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L59: putstatic Field Constants JDBC Ljava/lang/String;
L62: return
L63:
.linenumbertable
L0 10
L15 29
L23 33
.end linenumbertable
.end code
.end method
.sourcefile 'Constants.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 22:27:01 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Constants_ESTest extends Constants_ESTest_scaffolding {
@Test
public void notGeneratedAnyTest() {
// EvoSuite did not generate any tests
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 22:27:01 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Constants_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Constants";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
/*No java.lang.System property to set*/
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Constants_ESTest_scaffolding.class.getClassLoader() ,
"Constants"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Constants_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Constants"
);
}
}
| 151,187 |
Resource
|
/*
* 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.
*/
/**
* Represents a resource involved in an AWS access control policy statement. Resources are the
* service specific AWS entities owned by your account. Amazon SQS queues, Amazon S3 buckets and
* objects, and Amazon SNS topics are all examples of AWS resources.
*
* <p>The standard way of specifying an AWS resource is with an Amazon Resource Name (ARN).
*
* <p>The resource is C in the statement "A has permission to do B to C where D applies."
*/
public class Resource {
private final String resource;
/**
* Constructs a new AWS access control policy resource. Resources are typically specified as
* Amazon Resource Names (ARNs).
*
* <p>You specify the resource using the following Amazon Resource Name (ARN) format:
* <b>arn:aws:<vendor>:<region>:<namespace>:<relative-id></b>
*
* <p>
*
* <ul>
* <li>vendor identifies the AWS product (e.g., sns)
* <li>region is the AWS Region the resource resides in (e.g., us-east-1), if any
* <li>namespace is the AWS account ID with no hyphens (e.g., 123456789012)
* <li>relative-id is the service specific portion that identifies the specific resource
* </ul>
*
* <p>For example, an Amazon SQS queue might be addressed with the following ARN:
* <b>arn:aws:sqs:us-east-1:987654321000:MyQueue</b>
*
* <p>Some resources may not use every field in an ARN. For example, resources in Amazon S3 are
* global, so they omit the region field: <b>arn:aws:s3:::bucket/*</b>
*
* @param resource The Amazon Resource Name (ARN) uniquely identifying the desired AWS resource.
*/
public Resource(String resource) {
this.resource = resource;
}
/**
* Returns the resource ID, typically an Amazon Resource Name (ARN), identifying this resource.
*
* @return The resource ID, typically an Amazon Resource Name (ARN), identifying this resource.
*/
public String getId() {
return resource;
}
}
|
.version 52 0
.class public super Resource
.super java/lang/Object
.field private final resource Ljava/lang/String;
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field Resource resource Ljava/lang/String;
L9: return
L10:
.linenumbertable
L0 60
L4 61
L9 62
.end linenumbertable
.end code
.end method
.method public getId : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Resource resource Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 72
.end linenumbertable
.end code
.end method
.sourcefile 'Resource.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 06:41: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 Resource_ESTest extends Resource_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Resource resource0 = new Resource((String) null);
String string0 = resource0.getId();
assertNull(string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Resource resource0 = new Resource("_iVE2~xLS p\"");
String string0 = resource0.getId();
assertEquals("_iVE2~xLS p\"", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Resource resource0 = new Resource("");
String string0 = resource0.getId();
assertEquals("", string0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 06:41: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 Resource_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Resource";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp0nfa609d");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Resource_ESTest_scaffolding.class.getClassLoader() ,
"Resource"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Resource_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Resource"
);
}
}
| 151,188 |
DateTest
|
import java.util.Date;
public class DateTest {
public static void main(String[] args) {
Date d = new Date();
// 在默认时区下输出日期和时间值
System.out.println(d);
// 2008-08-08 20:00:00对应的毫秒数
long t2008 = 1218196800000L;
// 1900-01-01 20:00:00对应的毫秒数
long t1900 = -2208945952000L;
// 指定毫秒数创建Date对象
Date d2008 = new Date(t2008);
// 使用系统默认时间创建Date对象
Date d1900 = new Date();
// 通过设置毫秒数改变日期和时间
d1900.setTime(t1900);
System.out.println("调用方法:d1900.before(d2008)");
System.out.print("比较结果:\"1900-01-01 20:00:00\"在\"2008-08-08 20:00:00\"");
// 使用before()方法比较
if (d1900.before(d2008)) {
System.out.println("之前");
} else {
System.out.println("之后");
}
System.out.println();
System.out.println("调用方法:d2008.after(d1900)");
System.out.print("比较结果:\"2008-08-08 20:00:00\"在\"1900-01-01 20:00:00\"");
// 使用after()方法比较
if (d2008.after(d1900)) {
System.out.println("之后");
} else {
System.out.println("之前");
}
System.out.println();
System.out.println("调用方法:d1900.compareTo(d2008)");
System.out.print("比较结果:\"1900-01-01 20:00:00\"在\"2008-08-08 20:00:00\"");
// 使用compareTo()方法比较
int i = d1900.compareTo(d2008);
if (i == -1) {
System.out.println("之前");
} else if (i == 1) {
System.out.println("之后");
} else if (i == 0) {
System.out.println("是同一时刻");
}
}
}
|
.version 52 0
.class public super DateTest
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 5
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 4 locals 9
L0: new java/util/Date
L3: dup
L4: invokespecial Method java/util/Date <init> ()V
L7: astore_1
L8: getstatic Field java/lang/System out Ljava/io/PrintStream;
L11: aload_1
L12: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V
L15: ldc2_w 1218196800000L
L18: lstore_2
L19: ldc2_w -2208945952000L
L22: lstore 4
L24: new java/util/Date
L27: dup
L28: lload_2
L29: invokespecial Method java/util/Date <init> (J)V
L32: astore 6
L34: new java/util/Date
L37: dup
L38: invokespecial Method java/util/Date <init> ()V
L41: astore 7
L43: aload 7
L45: lload 4
L47: invokevirtual Method java/util/Date setTime (J)V
L50: getstatic Field java/lang/System out Ljava/io/PrintStream;
L53: ldc '调用方法:d1900.before(d2008)'
L55: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L58: getstatic Field java/lang/System out Ljava/io/PrintStream;
L61: ldc '比较结果:"1900-01-01 20:00:00"在"2008-08-08 20:00:00"'
L63: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V
L66: aload 7
L68: aload 6
L70: invokevirtual Method java/util/Date before (Ljava/util/Date;)Z
L73: ifeq L87
L76: getstatic Field java/lang/System out Ljava/io/PrintStream;
L79: ldc '之前'
L81: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L84: goto L95
.stack full
locals Object [Ljava/lang/String; Object java/util/Date Long Long Object java/util/Date Object java/util/Date
stack
.end stack
L87: getstatic Field java/lang/System out Ljava/io/PrintStream;
L90: ldc '之后'
L92: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack same
L95: getstatic Field java/lang/System out Ljava/io/PrintStream;
L98: invokevirtual Method java/io/PrintStream println ()V
L101: getstatic Field java/lang/System out Ljava/io/PrintStream;
L104: ldc '调用方法:d2008.after(d1900)'
L106: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L109: getstatic Field java/lang/System out Ljava/io/PrintStream;
L112: ldc '比较结果:"2008-08-08 20:00:00"在"1900-01-01 20:00:00"'
L114: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V
L117: aload 6
L119: aload 7
L121: invokevirtual Method java/util/Date after (Ljava/util/Date;)Z
L124: ifeq L138
L127: getstatic Field java/lang/System out Ljava/io/PrintStream;
L130: ldc '之后'
L132: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L135: goto L146
.stack same
L138: getstatic Field java/lang/System out Ljava/io/PrintStream;
L141: ldc '之前'
L143: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack same
L146: getstatic Field java/lang/System out Ljava/io/PrintStream;
L149: invokevirtual Method java/io/PrintStream println ()V
L152: getstatic Field java/lang/System out Ljava/io/PrintStream;
L155: ldc '调用方法:d1900.compareTo(d2008)'
L157: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L160: getstatic Field java/lang/System out Ljava/io/PrintStream;
L163: ldc '比较结果:"1900-01-01 20:00:00"在"2008-08-08 20:00:00"'
L165: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V
L168: aload 7
L170: aload 6
L172: invokevirtual Method java/util/Date compareTo (Ljava/util/Date;)I
L175: istore 8
L177: iload 8
L179: iconst_m1
L180: if_icmpne L194
L183: getstatic Field java/lang/System out Ljava/io/PrintStream;
L186: ldc '之前'
L188: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L191: goto L224
.stack append Integer
L194: iload 8
L196: iconst_1
L197: if_icmpne L211
L200: getstatic Field java/lang/System out Ljava/io/PrintStream;
L203: ldc '之后'
L205: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L208: goto L224
.stack same
L211: iload 8
L213: ifne L224
L216: getstatic Field java/lang/System out Ljava/io/PrintStream;
L219: ldc '是同一时刻'
L221: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack same
L224: return
L225:
.linenumbertable
L0 8
L8 10
L15 13
L19 15
L24 17
L34 19
L43 21
L50 22
L58 23
L66 25
L76 26
L87 28
L95 30
L101 31
L109 32
L117 34
L127 35
L138 37
L146 39
L152 40
L160 41
L168 43
L177 44
L183 45
L194 46
L200 47
L211 48
L216 49
L224 51
.end linenumbertable
.end code
.end method
.sourcefile 'DateTest.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 15:22: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 DateTest_ESTest extends DateTest_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
DateTest.main((String[]) null);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
DateTest dateTest0 = new DateTest();
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 15:22: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 DateTest_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "DateTest";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.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_cr_q4gy");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DateTest_ESTest_scaffolding.class.getClassLoader() ,
"DateTest"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DateTest_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"DateTest"
);
}
}
| 151,189 |
PublicJavaClassWithPackageConstructor
|
public class PublicJavaClassWithPackageConstructor {
PublicJavaClassWithPackageConstructor() {}
}
|
.version 52 0
.class public super PublicJavaClassWithPackageConstructor
.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
.sourcefile 'PublicJavaClassWithPackageConstructor.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 03:22:08 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class PublicJavaClassWithPackageConstructor_ESTest extends PublicJavaClassWithPackageConstructor_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
PublicJavaClassWithPackageConstructor publicJavaClassWithPackageConstructor0 = new PublicJavaClassWithPackageConstructor();
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 03:22: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 PublicJavaClassWithPackageConstructor_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "PublicJavaClassWithPackageConstructor";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp7ykizj34");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PublicJavaClassWithPackageConstructor_ESTest_scaffolding.class.getClassLoader() ,
"PublicJavaClassWithPackageConstructor"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PublicJavaClassWithPackageConstructor_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"PublicJavaClassWithPackageConstructor"
);
}
}
| 151,190 |
loginUsuario
|
/*
* To change this license header, choose License Headers in Project Properties.
* To change this template file, choose Tools | Templates
* and open the template in the editor.
*/
import java.sql.Connection;
import java.sql.DriverManager;
import java.sql.ResultSet;
import java.sql.SQLException;
import java.sql.Statement;
/**
* @author kesley
*/
public class loginUsuario {
String passwd;
public loginUsuario() {
this.passwd = "";
}
public boolean LoginUsuario(String Usuario, String Senha) throws ClassNotFoundException {
try {
String url;
url =
"jdbc:sqlserver://kesleyserver.database.windows.net:1433;database=<NOME_BANCODEDADOS>;user=<NOMEDEUSUARIO>;password={<SENHADEUSUARIO};encrypt=true;trustServerCertificate=false;hostNameInCertificate=*.database.windows.net;loginTimeout=30;";
Connection connection = null;
String myDriver = "com.microsoft.sqlserver.jdbc.SQLServerDriver";
Class.forName(myDriver);
Connection conn = DriverManager.getConnection(url);
String query = "SELECT * FROM autenticador WHERE usuario='" + Usuario + "'";
try (Statement st = conn.createStatement()) {
ResultSet rs = st.executeQuery(query);
while (rs.next()) {
passwd = rs.getString("senha");
}
}
} catch (SQLException e) {
System.err.println("Got an exception! ");
System.err.println(e.getMessage());
}
return passwd.equals(Senha);
}
}
|
.version 52 0
.class public super loginUsuario
.super java/lang/Object
.field passwd Ljava/lang/String;
.method public <init> : ()V
.code stack 2 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: ldc ''
L7: putfield Field loginUsuario passwd Ljava/lang/String;
L10: return
L11:
.linenumbertable
L0 21
L4 22
L10 23
.end linenumbertable
.end code
.end method
.method public LoginUsuario : (Ljava/lang/String;Ljava/lang/String;)Z
.code stack 3 locals 13
L0: ldc 'jdbc:sqlserver://kesleyserver.database.windows.net:1433;database=<NOME_BANCODEDADOS>;user=<NOMEDEUSUARIO>;password={<SENHADEUSUARIO};encrypt=true;trustServerCertificate=false;hostNameInCertificate=*.database.windows.net;loginTimeout=30;'
L2: astore_3
L3: aconst_null
L4: astore 4
L6: ldc 'com.microsoft.sqlserver.jdbc.SQLServerDriver'
L8: astore 5
L10: aload 5
L12: invokestatic Method java/lang/Class forName (Ljava/lang/String;)Ljava/lang/Class;
L15: pop
L16: aload_3
L17: invokestatic Method java/sql/DriverManager getConnection (Ljava/lang/String;)Ljava/sql/Connection;
L20: astore 6
L22: new java/lang/StringBuilder
L25: dup
L26: invokespecial Method java/lang/StringBuilder <init> ()V
L29: ldc "SELECT * FROM autenticador WHERE usuario='"
L31: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L34: aload_1
L35: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L38: ldc "'"
L40: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L43: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L46: astore 7
L48: aload 6
L50: invokeinterface InterfaceMethod java/sql/Connection createStatement ()Ljava/sql/Statement; 1
L55: astore 8
L57: aconst_null
L58: astore 9
L60: aload 8
L62: aload 7
L64: invokeinterface InterfaceMethod java/sql/Statement executeQuery (Ljava/lang/String;)Ljava/sql/ResultSet; 2
L69: astore 10
.stack full
locals Object loginUsuario Object java/lang/String Object java/lang/String Object java/lang/String Object java/sql/Connection Object java/lang/String Object java/sql/Connection Object java/lang/String Object java/sql/Statement Object java/lang/Throwable Object java/sql/ResultSet
stack
.end stack
L71: aload 10
L73: invokeinterface InterfaceMethod java/sql/ResultSet next ()Z 1
L78: ifeq L97
L81: aload_0
L82: aload 10
L84: ldc 'senha'
L86: invokeinterface InterfaceMethod java/sql/ResultSet getString (Ljava/lang/String;)Ljava/lang/String; 2
L91: putfield Field loginUsuario passwd Ljava/lang/String;
L94: goto L71
.stack chop 1
L97: aload 8
L99: ifnull L192
L102: aload 9
L104: ifnull L129
.catch java/lang/Throwable from L107 to L114 using L117
.catch java/lang/Throwable from L60 to L97 using L139
.catch [0] from L60 to L97 using L148
L107: aload 8
L109: invokeinterface InterfaceMethod java/sql/Statement close ()V 1
L114: goto L192
.stack stack_1 Object java/lang/Throwable
L117: astore 10
L119: aload 9
L121: aload 10
L123: invokevirtual Method java/lang/Throwable addSuppressed (Ljava/lang/Throwable;)V
L126: goto L192
.stack same
L129: aload 8
L131: invokeinterface InterfaceMethod java/sql/Statement close ()V 1
L136: goto L192
.stack stack_1 Object java/lang/Throwable
L139: astore 10
L141: aload 10
L143: astore 9
L145: aload 10
L147: athrow
.stack stack_1 Object java/lang/Throwable
L148: astore 11
L150: aload 8
L152: ifnull L189
L155: aload 9
L157: ifnull L182
.catch java/lang/Throwable from L160 to L167 using L170
.catch [0] from L139 to L150 using L148
.catch java/sql/SQLException from L0 to L192 using L195
L160: aload 8
L162: invokeinterface InterfaceMethod java/sql/Statement close ()V 1
L167: goto L189
.stack full
locals Object loginUsuario Object java/lang/String Object java/lang/String Object java/lang/String Object java/sql/Connection Object java/lang/String Object java/sql/Connection Object java/lang/String Object java/sql/Statement Object java/lang/Throwable Top Object java/lang/Throwable
stack Object java/lang/Throwable
.end stack
L170: astore 12
L172: aload 9
L174: aload 12
L176: invokevirtual Method java/lang/Throwable addSuppressed (Ljava/lang/Throwable;)V
L179: goto L189
.stack same
L182: aload 8
L184: invokeinterface InterfaceMethod java/sql/Statement close ()V 1
.stack same
L189: aload 11
L191: athrow
.stack full
locals Object loginUsuario Object java/lang/String Object java/lang/String
stack
.end stack
L192: goto L214
.stack stack_1 Object java/sql/SQLException
L195: astore_3
L196: getstatic Field java/lang/System err Ljava/io/PrintStream;
L199: ldc 'Got an exception! '
L201: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L204: getstatic Field java/lang/System err Ljava/io/PrintStream;
L207: aload_3
L208: invokevirtual Method java/sql/SQLException getMessage ()Ljava/lang/String;
L211: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack same
L214: aload_0
L215: getfield Field loginUsuario passwd Ljava/lang/String;
L218: aload_2
L219: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L222: ireturn
L223:
.linenumbertable
L0 28
L3 29
L6 30
L10 31
L16 32
L22 33
L48 34
L60 35
L71 36
L81 38
L97 39
L139 34
L148 39
L192 45
L195 41
L196 43
L204 44
L214 46
.end linenumbertable
.end code
.exceptions java/lang/ClassNotFoundException
.end method
.sourcefile 'loginUsuario.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 10:01:32 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 loginUsuario_ESTest extends loginUsuario_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
loginUsuario loginUsuario0 = new loginUsuario();
try {
loginUsuario0.LoginUsuario("loginUsuario", "loginUsuario");
fail("Expecting exception: ClassNotFoundException");
} catch(ClassNotFoundException e) {
}
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 10:01: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 loginUsuario_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "loginUsuario";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpmf6an9l0");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(loginUsuario_ESTest_scaffolding.class.getClassLoader() ,
"loginUsuario"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(loginUsuario_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"loginUsuario"
);
}
}
| 151,191 |
DebRepositoryAccessIsRestrictedException
|
/*******************************************************************************
*
* Copyright 2017 Net Wolf UK
*
* 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 DebRepositoryAccessIsRestrictedException extends Exception {
private static final long serialVersionUID = -1448887202484970704L;
}
|
.version 52 0
.class public super DebRepositoryAccessIsRestrictedException
.super java/lang/Exception
.field private static final serialVersionUID J = -1448887202484970704L
.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 21
.end linenumbertable
.end code
.end method
.sourcefile 'DebRepositoryAccessIsRestrictedException.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 12:24: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 DebRepositoryAccessIsRestrictedException_ESTest extends DebRepositoryAccessIsRestrictedException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
DebRepositoryAccessIsRestrictedException debRepositoryAccessIsRestrictedException0 = new DebRepositoryAccessIsRestrictedException();
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 12:24: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 DebRepositoryAccessIsRestrictedException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "DebRepositoryAccessIsRestrictedException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmprq9y4rfg");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DebRepositoryAccessIsRestrictedException_ESTest_scaffolding.class.getClassLoader() ,
"DebRepositoryAccessIsRestrictedException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DebRepositoryAccessIsRestrictedException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"DebRepositoryAccessIsRestrictedException"
);
}
}
| 151,192 |
Urls
|
/**
* Licensed to the Apache Software Foundation (ASF) under one or more contributor license
* agreements. See the NOTICE file distributed with this work for additional information regarding
* copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the
* "License"); you may not use this file except in compliance with the License. You may obtain a
* copy of the License at
*
* <p>http://www.apache.org/licenses/LICENSE-2.0
*
* <p>Unless required by applicable law or agreed to in writing, software distributed under the
* License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either
* express or implied. See the License for the specific language governing permissions and
* limitations under the License.
*/
/**
* Reason: TODO ADD REASON(可选) Date: 2017年1月2日 下午1:16:37 Company: www.dtstack.com
*
* @author sishu.yss
*/
public class Urls {
public static final String ROOT = "/distributed";
public static final String LOADNODEDATA = ROOT + "/loadNodeData";
public static final String LOGPOOLDATA = ROOT + "/logPoolData";
public static final String MANUALLYDATA = ROOT + "/manuallyData";
public static final String NOCOMPLETEDATA = ROOT + "/logPoolNoCompleteData";
}
|
.version 52 0
.class public super Urls
.super java/lang/Object
.field public static final ROOT Ljava/lang/String; = '/distributed'
.field public static final LOADNODEDATA Ljava/lang/String; = '/distributed/loadNodeData'
.field public static final LOGPOOLDATA Ljava/lang/String; = '/distributed/logPoolData'
.field public static final MANUALLYDATA Ljava/lang/String; = '/distributed/manuallyData'
.field public static final NOCOMPLETEDATA Ljava/lang/String; = '/distributed/logPoolNoCompleteData'
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 28
.end linenumbertable
.end code
.end method
.sourcefile 'Urls.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 16:29: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 Urls_ESTest extends Urls_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Urls urls0 = new Urls();
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 16:29: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 Urls_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Urls";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpc_l84xif");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Urls_ESTest_scaffolding.class.getClassLoader() ,
"Urls"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Urls_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Urls"
);
}
}
| 151,193 |
CutTheSticks
|
import java.util.ArrayList;
import java.util.List;
public class CutTheSticks {
static int[] cutTheSticks(int[] arr) {
List<Integer> res = new ArrayList<>();
List<Integer> arrList = new ArrayList<>();
List<Integer> newArrList = new ArrayList<>();
int m = Integer.MAX_VALUE;
for (int a : arr) {
m = Math.min(a, m);
arrList.add(a);
}
while (!arrList.isEmpty()) {
int nm = Integer.MAX_VALUE;
res.add(arrList.size());
for (int i : arrList) {
int d = i - m;
if (d > 0) {
newArrList.add(d);
nm = Math.min(nm, d);
}
}
arrList = newArrList;
newArrList = new ArrayList<>();
m = nm;
}
return toArray(res);
}
static int[] toArray(List<Integer> ints) {
int[] arr = new int[ints.size()];
for (int i = 0; i < arr.length; i++) {
arr[i] = ints.get(i);
}
return arr;
}
public static void main(String[] args) {
cutTheSticks(new int[] {1, 13, 3, 8, 14, 9, 4, 4});
}
}
|
.version 52 0
.class public super CutTheSticks
.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 static cutTheSticks : ([I)[I
.code stack 2 locals 9
L0: new java/util/ArrayList
L3: dup
L4: invokespecial Method java/util/ArrayList <init> ()V
L7: astore_1
L8: new java/util/ArrayList
L11: dup
L12: invokespecial Method java/util/ArrayList <init> ()V
L15: astore_2
L16: new java/util/ArrayList
L19: dup
L20: invokespecial Method java/util/ArrayList <init> ()V
L23: astore_3
L24: ldc 2147483647
L26: istore 4
L28: aload_0
L29: astore 5
L31: aload 5
L33: arraylength
L34: istore 6
L36: iconst_0
L37: istore 7
.stack full
locals Object [I Object java/util/List Object java/util/List Object java/util/List Integer Object [I Integer Integer
stack
.end stack
L39: iload 7
L41: iload 6
L43: if_icmpge L80
L46: aload 5
L48: iload 7
L50: iaload
L51: istore 8
L53: iload 8
L55: iload 4
L57: invokestatic Method java/lang/Math min (II)I
L60: istore 4
L62: aload_2
L63: iload 8
L65: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L68: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L73: pop
L74: iinc 7 1
L77: goto L39
.stack chop 3
L80: aload_2
L81: invokeinterface InterfaceMethod java/util/List isEmpty ()Z 1
L86: ifne L195
L89: ldc 2147483647
L91: istore 5
L93: aload_1
L94: aload_2
L95: invokeinterface InterfaceMethod java/util/List size ()I 1
L100: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L103: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L108: pop
L109: aload_2
L110: invokeinterface InterfaceMethod java/util/List iterator ()Ljava/util/Iterator; 1
L115: astore 6
.stack append Integer Object java/util/Iterator
L117: aload 6
L119: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1
L124: ifeq L178
L127: aload 6
L129: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1
L134: checkcast java/lang/Integer
L137: invokevirtual Method java/lang/Integer intValue ()I
L140: istore 7
L142: iload 7
L144: iload 4
L146: isub
L147: istore 8
L149: iload 8
L151: ifle L175
L154: aload_3
L155: iload 8
L157: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L160: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L165: pop
L166: iload 5
L168: iload 8
L170: invokestatic Method java/lang/Math min (II)I
L173: istore 5
.stack same
L175: goto L117
.stack chop 1
L178: aload_3
L179: astore_2
L180: new java/util/ArrayList
L183: dup
L184: invokespecial Method java/util/ArrayList <init> ()V
L187: astore_3
L188: iload 5
L190: istore 4
L192: goto L80
.stack chop 1
L195: aload_1
L196: invokestatic Method CutTheSticks toArray (Ljava/util/List;)[I
L199: areturn
L200:
.linenumbertable
L0 9
L8 10
L16 11
L24 12
L28 13
L53 14
L62 15
L74 13
L80 17
L89 18
L93 19
L109 20
L142 21
L149 22
L154 23
L166 24
L175 26
L178 27
L180 28
L188 29
L192 30
L195 31
.end linenumbertable
.end code
.end method
.method static toArray : (Ljava/util/List;)[I
.code stack 4 locals 3
L0: aload_0
L1: invokeinterface InterfaceMethod java/util/List size ()I 1
L6: newarray int
L8: astore_1
L9: iconst_0
L10: istore_2
.stack append Object [I Integer
L11: iload_2
L12: aload_1
L13: arraylength
L14: if_icmpge L39
L17: aload_1
L18: iload_2
L19: aload_0
L20: iload_2
L21: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L26: checkcast java/lang/Integer
L29: invokevirtual Method java/lang/Integer intValue ()I
L32: iastore
L33: iinc 2 1
L36: goto L11
.stack chop 1
L39: aload_1
L40: areturn
L41:
.linenumbertable
L0 35
L9 36
L17 37
L33 36
L39 39
.end linenumbertable
.end code
.signature (Ljava/util/List<Ljava/lang/Integer;>;)[I
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 4 locals 1
L0: bipush 8
L2: newarray int
L4: dup
L5: iconst_0
L6: iconst_1
L7: iastore
L8: dup
L9: iconst_1
L10: bipush 13
L12: iastore
L13: dup
L14: iconst_2
L15: iconst_3
L16: iastore
L17: dup
L18: iconst_3
L19: bipush 8
L21: iastore
L22: dup
L23: iconst_4
L24: bipush 14
L26: iastore
L27: dup
L28: iconst_5
L29: bipush 9
L31: iastore
L32: dup
L33: bipush 6
L35: iconst_4
L36: iastore
L37: dup
L38: bipush 7
L40: iconst_4
L41: iastore
L42: invokestatic Method CutTheSticks cutTheSticks ([I)[I
L45: pop
L46: return
L47:
.linenumbertable
L0 43
L46 44
.end linenumbertable
.end code
.end method
.sourcefile 'CutTheSticks.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 14:31:42 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.util.LinkedList;
import java.util.List;
import java.util.function.Predicate;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class CutTheSticks_ESTest extends CutTheSticks_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
CutTheSticks cutTheSticks0 = new CutTheSticks();
// Undeclared exception!
try {
CutTheSticks.cutTheSticks((int[]) null);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
int[] intArray0 = new int[0];
CutTheSticks.cutTheSticks(intArray0);
String[] stringArray0 = new String[2];
stringArray0[0] = "D@|A}?q6|BT";
stringArray0[1] = "";
CutTheSticks.main(stringArray0);
assertEquals(2, stringArray0.length);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
int[] intArray0 = new int[1];
intArray0[0] = 0;
int[] intArray1 = CutTheSticks.cutTheSticks(intArray0);
assertEquals(1, intArray1.length);
String[] stringArray0 = new String[3];
stringArray0[0] = "";
stringArray0[1] = "";
stringArray0[2] = "";
CutTheSticks.main(stringArray0);
int[] intArray2 = new int[2];
intArray2[0] = 0;
intArray2[1] = 0;
int[] intArray3 = CutTheSticks.cutTheSticks(intArray2);
assertArrayEquals(new int[] {2}, intArray3);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
CutTheSticks cutTheSticks0 = new CutTheSticks();
String[] stringArray0 = new String[1];
stringArray0[0] = "";
CutTheSticks.main(stringArray0);
String[] stringArray1 = new String[4];
stringArray1[0] = "w~$W4u&TCE";
stringArray1[1] = "NIugr9";
stringArray1[2] = "Twx^i.";
stringArray1[3] = "%[O`2=C.Sj";
CutTheSticks.main(stringArray1);
int[] intArray0 = new int[3];
intArray0[0] = (-41116);
intArray0[1] = 0;
intArray0[2] = 25668;
CutTheSticks.cutTheSticks(intArray0);
String[] stringArray2 = new String[3];
stringArray2[0] = "_";
stringArray2[1] = "U:wSfO=QHsd8j}GeYBc";
stringArray2[2] = "";
CutTheSticks.main(stringArray2);
assertEquals(3, stringArray2.length);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
String[] stringArray0 = new String[8];
stringArray0[0] = "M.8,C!9{Ank\"";
stringArray0[1] = "";
stringArray0[2] = ";-";
stringArray0[3] = "CutTheSticks";
stringArray0[4] = "vWs_";
stringArray0[5] = "";
stringArray0[6] = ",r67qTA]J8EAHLNi>";
stringArray0[7] = ".QnBsA=\"J";
CutTheSticks.main(stringArray0);
CutTheSticks cutTheSticks0 = new CutTheSticks();
int[] intArray0 = new int[0];
CutTheSticks.cutTheSticks(intArray0);
LinkedList<Integer> linkedList0 = new LinkedList<Integer>();
CutTheSticks.toArray(linkedList0);
try {
Integer.valueOf("vWs_", 0);
fail("Expecting exception: NumberFormatException");
} catch(NumberFormatException e) {
//
// radix 0 less than Character.MIN_RADIX
//
verifyException("java.lang.Integer", e);
}
}
@Test(timeout = 4000)
public void test5() throws Throwable {
List<Integer> list0 = null;
// Undeclared exception!
try {
CutTheSticks.toArray((List<Integer>) null);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("CutTheSticks", e);
}
}
@Test(timeout = 4000)
public void test6() throws Throwable {
LinkedList<Integer> linkedList0 = new LinkedList<Integer>();
CutTheSticks.toArray(linkedList0);
String[] stringArray0 = new String[7];
stringArray0[0] = "";
stringArray0[1] = "";
Predicate<Object> predicate0 = Predicate.isEqual((Object) "");
Object object0 = new Object();
Predicate<Object> predicate1 = Predicate.isEqual(object0);
Predicate<Object> predicate2 = predicate0.or(predicate1);
predicate0.or(predicate2);
Object object1 = new Object();
Predicate.isEqual(object1);
predicate0.negate();
// Undeclared exception!
try {
predicate0.and((Predicate<? super Object>) null);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("java.util.Objects", e);
}
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 14:31:42 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class CutTheSticks_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "CutTheSticks";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpv31ye4yx");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CutTheSticks_ESTest_scaffolding.class.getClassLoader() ,
"CutTheSticks"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CutTheSticks_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"CutTheSticks"
);
}
}
| 151,194 |
EntradaTextoSimple
|
import java.awt.BorderLayout;
import java.awt.Button;
import java.awt.Frame;
import java.awt.Label;
import java.awt.Panel;
import java.awt.TextField;
// --------------class--------------
public class EntradaTextoSimple extends Frame {
// --------------attributes--------------
Panel panel;
Button boton;
Label etiq;
TextField campotexto;
// --------------constructor--------------
public EntradaTextoSimple() {
super("Ejemplo");
// ------create objects
panel = new Panel();
boton = new Button("OK");
etiq = new Label("etiqueta", Label.LEFT);
campotexto = new TextField(10);
// -------set layouts and add objects to containers
panel.add(etiq);
panel.add(campotexto);
panel.add(boton);
// -------set layout and add objects to this
this.add(panel, BorderLayout.CENTER);
this.addWindowListener(
new java.awt.event.WindowAdapter() {
public void windowClosing(java.awt.event.WindowEvent e) {
System.exit(0);
}
});
// set automatic size and show
this.pack();
this.setVisible(true);
} // end constructor
public static void main(String a[]) {
EntradaTextoSimple instance = new EntradaTextoSimple();
}
} // end class
|
.version 52 0
.class public super EntradaTextoSimple
.super java/awt/Frame
.field panel Ljava/awt/Panel;
.field boton Ljava/awt/Button;
.field etiq Ljava/awt/Label;
.field campotexto Ljava/awt/TextField;
.method public <init> : ()V
.code stack 5 locals 1
L0: aload_0
L1: ldc 'Ejemplo'
L3: invokespecial Method java/awt/Frame <init> (Ljava/lang/String;)V
L6: aload_0
L7: new java/awt/Panel
L10: dup
L11: invokespecial Method java/awt/Panel <init> ()V
L14: putfield Field EntradaTextoSimple panel Ljava/awt/Panel;
L17: aload_0
L18: new java/awt/Button
L21: dup
L22: ldc 'OK'
L24: invokespecial Method java/awt/Button <init> (Ljava/lang/String;)V
L27: putfield Field EntradaTextoSimple boton Ljava/awt/Button;
L30: aload_0
L31: new java/awt/Label
L34: dup
L35: ldc 'etiqueta'
L37: iconst_0
L38: invokespecial Method java/awt/Label <init> (Ljava/lang/String;I)V
L41: putfield Field EntradaTextoSimple etiq Ljava/awt/Label;
L44: aload_0
L45: new java/awt/TextField
L48: dup
L49: bipush 10
L51: invokespecial Method java/awt/TextField <init> (I)V
L54: putfield Field EntradaTextoSimple campotexto Ljava/awt/TextField;
L57: aload_0
L58: getfield Field EntradaTextoSimple panel Ljava/awt/Panel;
L61: aload_0
L62: getfield Field EntradaTextoSimple etiq Ljava/awt/Label;
L65: invokevirtual Method java/awt/Panel add (Ljava/awt/Component;)Ljava/awt/Component;
L68: pop
L69: aload_0
L70: getfield Field EntradaTextoSimple panel Ljava/awt/Panel;
L73: aload_0
L74: getfield Field EntradaTextoSimple campotexto Ljava/awt/TextField;
L77: invokevirtual Method java/awt/Panel add (Ljava/awt/Component;)Ljava/awt/Component;
L80: pop
L81: aload_0
L82: getfield Field EntradaTextoSimple panel Ljava/awt/Panel;
L85: aload_0
L86: getfield Field EntradaTextoSimple boton Ljava/awt/Button;
L89: invokevirtual Method java/awt/Panel add (Ljava/awt/Component;)Ljava/awt/Component;
L92: pop
L93: aload_0
L94: aload_0
L95: getfield Field EntradaTextoSimple panel Ljava/awt/Panel;
L98: ldc 'Center'
L100: invokevirtual Method EntradaTextoSimple add (Ljava/awt/Component;Ljava/lang/Object;)V
L103: aload_0
L104: new EntradaTextoSimple$1
L107: dup
L108: aload_0
L109: invokespecial Method EntradaTextoSimple$1 <init> (LEntradaTextoSimple;)V
L112: invokevirtual Method EntradaTextoSimple addWindowListener (Ljava/awt/event/WindowListener;)V
L115: aload_0
L116: invokevirtual Method EntradaTextoSimple pack ()V
L119: aload_0
L120: iconst_1
L121: invokevirtual Method EntradaTextoSimple setVisible (Z)V
L124: return
L125:
.linenumbertable
L0 17
L6 19
L17 20
L30 21
L44 22
L57 24
L69 25
L81 26
L93 28
L103 29
L115 35
L119 36
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 2 locals 2
L0: new EntradaTextoSimple
L3: dup
L4: invokespecial Method EntradaTextoSimple <init> ()V
L7: astore_1
L8: return
L9:
.linenumbertable
L0 39
L8 40
.end linenumbertable
.end code
.end method
.sourcefile 'EntradaTextoSimple.java'
.innerclasses
EntradaTextoSimple$1 [0] [0]
.end innerclasses
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 21:20:24 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.awt.HeadlessException;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class EntradaTextoSimple_ESTest extends EntradaTextoSimple_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
EntradaTextoSimple entradaTextoSimple0 = null;
try {
entradaTextoSimple0 = new EntradaTextoSimple();
fail("Expecting exception: HeadlessException");
} catch(HeadlessException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("java.awt.GraphicsEnvironment", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
// Undeclared exception!
try {
EntradaTextoSimple.main((String[]) null);
fail("Expecting exception: HeadlessException");
} catch(HeadlessException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("java.awt.GraphicsEnvironment", e);
}
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 21:20: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 EntradaTextoSimple_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "EntradaTextoSimple";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp260rpilh");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(EntradaTextoSimple_ESTest_scaffolding.class.getClassLoader() ,
"EntradaTextoSimple"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(EntradaTextoSimple_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"EntradaTextoSimple"
);
}
}
| 151,195 |
MainHelpers
|
import java.io.BufferedWriter;
import java.io.File;
import java.io.FileWriter;
import java.io.IOException;
import java.util.Scanner;
/** Created by seb on 6/22/14. */
public class MainHelpers {
public static String credits = "Written by Sebastien Riou, 20160117-130000";
public static int lineLengthLimit = 78;
static String formatArg(String arg) {
return "-" + arg.substring(0, 1).toLowerCase() + arg.substring(1);
}
public static final String BINSTR = "BinStr";
public static final String HEXSTR = "HexStr";
public static final String HEXSTRFILE = "HexStrFile";
public static final String BINSTRFILE = "BinStrFile";
public static final String BINFILE = "BinFile";
public static final String POLY = "Poly";
public static final String SEQ = "Seq";
public static final String STATES = "States";
public static final String LFSR = "Lfsr";
public static final String VECTORS = "Vectors";
public static final String DISPLAY = "Disp";
public static final String TCLOUT = "TclOut";
public static final String TCLOUTFILE = "TclOutFile";
public static final String ENDIANNESS = "Endianness";
public static final String ARG_TO_BINSTRFILE = formatArg("to" + BINSTRFILE);
public static final String ARG_HEXSTRFILE = formatArg(HEXSTRFILE);
public static final String ARG_HEXSTR = formatArg(HEXSTR);
public static final String ARG_BINSTRFILE = formatArg(BINSTRFILE);
public static final String ARG_SEQ_BINSTR = formatArg(SEQ + BINSTR);
public static final String ARG_SEQ_HEXSTR = formatArg(SEQ + HEXSTR);
public static final String ARG_SEQ_BINSTRFILE = formatArg(SEQ + BINSTRFILE);
public static final String ARG_SEQ_BINFILE = formatArg(SEQ + BINFILE);
public static final String ARG_LFSR_BINSTR = formatArg(LFSR + BINSTR);
public static final String ARG_LFSR_POLY = formatArg(LFSR + POLY);
public static final String ARG_DISP_SEQ = formatArg(DISPLAY + SEQ);
public static final String ARG_DISP_SEQ_STATES = formatArg(DISPLAY + SEQ + STATES);
public static final String ARG_DISP_VECTORS = formatArg(DISPLAY + VECTORS);
public static final String ARG_TCLOUT = formatArg(TCLOUT);
public static final String ARG_TCLOUTFILE = formatArg(TCLOUTFILE);
public static final String ARG_ENDIANNESS = formatArg(ENDIANNESS);
public static final String ARG_PROFILING = formatArg("Profiling");
public static final String ARG_HELP = formatArg("Help");
static final String tab = " ";
static String padTo(String in, int desiredLength) {
int pad = desiredLength - in.length();
if (pad <= 0) {
return in;
}
String out = in;
for (int i = 0; i < pad; i++) {
out += " ";
}
return out;
}
static String limitLineLength(String in, int maxLineLength) {
int startPos = 0;
String out = in;
int cutPoint = startPos + maxLineLength;
while (cutPoint < out.length()) {
int newLinePos = out.indexOf("\n", startPos);
if ((-1 == newLinePos) || (newLinePos > cutPoint)) {
// backtrack to beginning of the word
int blankPos = out.lastIndexOf(" ", cutPoint);
blankPos = Math.max(blankPos, out.lastIndexOf("\t", cutPoint));
if ((blankPos != -1) && (blankPos > startPos)) cutPoint = blankPos + 1;
// copy the blank space from the beginning of the line to the new line as well to preserve
// alignment
blankPos = startPos;
while (Character.isWhitespace(out.charAt(blankPos))) blankPos++;
out =
out.substring(0, cutPoint)
+ "\n"
+ padTo("", blankPos - startPos)
+ out.substring(cutPoint);
startPos = cutPoint + 1;
} else {
startPos = newLinePos + 1;
}
cutPoint = startPos + maxLineLength;
}
return out;
}
static String argDescription(String argName, String arg1, String description) {
String out = tab + padTo(argName, 14) + tab;
if (arg1 != null) {
out += "[" + arg1 + "]";
}
out += "\n" + padTo("", 14 + 2 * tab.length()) + description + "\n\n";
return out;
}
static void writeToFile(File file, String str) throws IOException {
BufferedWriter writer = new BufferedWriter(new FileWriter(file));
try {
writer.write(str);
} finally {
writer.flush();
writer.close();
}
}
public static void pauseProg() {
pauseProg("Press enter to continue...");
}
public static void pauseProg(String msg) {
System.out.println(msg);
Scanner keyboard = new Scanner(System.in);
keyboard.nextLine();
}
public static String bytesToString(byte[] dat) {
String out = "";
if (0 == dat.length) return out;
for (int i = 0; i < dat.length; i++) {
int b = 0x0FF & dat[i];
out += String.format("%02X ", b);
}
return out.substring(0, out.length() - 1);
}
}
|
.version 52 0
.class public super MainHelpers
.super java/lang/Object
.field public static credits Ljava/lang/String;
.field public static lineLengthLimit I
.field public static final BINSTR Ljava/lang/String; = 'BinStr'
.field public static final HEXSTR Ljava/lang/String; = 'HexStr'
.field public static final HEXSTRFILE Ljava/lang/String; = 'HexStrFile'
.field public static final BINSTRFILE Ljava/lang/String; = 'BinStrFile'
.field public static final BINFILE Ljava/lang/String; = 'BinFile'
.field public static final POLY Ljava/lang/String; = 'Poly'
.field public static final SEQ Ljava/lang/String; = 'Seq'
.field public static final STATES Ljava/lang/String; = 'States'
.field public static final LFSR Ljava/lang/String; = 'Lfsr'
.field public static final VECTORS Ljava/lang/String; = 'Vectors'
.field public static final DISPLAY Ljava/lang/String; = 'Disp'
.field public static final TCLOUT Ljava/lang/String; = 'TclOut'
.field public static final TCLOUTFILE Ljava/lang/String; = 'TclOutFile'
.field public static final ENDIANNESS Ljava/lang/String; = 'Endianness'
.field public static final ARG_TO_BINSTRFILE Ljava/lang/String;
.field public static final ARG_HEXSTRFILE Ljava/lang/String;
.field public static final ARG_HEXSTR Ljava/lang/String;
.field public static final ARG_BINSTRFILE Ljava/lang/String;
.field public static final ARG_SEQ_BINSTR Ljava/lang/String;
.field public static final ARG_SEQ_HEXSTR Ljava/lang/String;
.field public static final ARG_SEQ_BINSTRFILE Ljava/lang/String;
.field public static final ARG_SEQ_BINFILE Ljava/lang/String;
.field public static final ARG_LFSR_BINSTR Ljava/lang/String;
.field public static final ARG_LFSR_POLY Ljava/lang/String;
.field public static final ARG_DISP_SEQ Ljava/lang/String;
.field public static final ARG_DISP_SEQ_STATES Ljava/lang/String;
.field public static final ARG_DISP_VECTORS Ljava/lang/String;
.field public static final ARG_TCLOUT Ljava/lang/String;
.field public static final ARG_TCLOUTFILE Ljava/lang/String;
.field public static final ARG_ENDIANNESS Ljava/lang/String;
.field public static final ARG_PROFILING Ljava/lang/String;
.field public static final ARG_HELP Ljava/lang/String;
.field static final tab 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 12
.end linenumbertable
.end code
.end method
.method static formatArg : (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: ldc '-'
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: iconst_0
L14: iconst_1
L15: invokevirtual Method java/lang/String substring (II)Ljava/lang/String;
L18: invokevirtual Method java/lang/String toLowerCase ()Ljava/lang/String;
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: aload_0
L25: iconst_1
L26: invokevirtual Method java/lang/String substring (I)Ljava/lang/String;
L29: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L32: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L35: areturn
L36:
.linenumbertable
L0 16
.end linenumbertable
.end code
.end method
.method static padTo : (Ljava/lang/String;I)Ljava/lang/String;
.code stack 2 locals 5
L0: iload_1
L1: aload_0
L2: invokevirtual Method java/lang/String length ()I
L5: isub
L6: istore_2
L7: iload_2
L8: ifgt L13
L11: aload_0
L12: areturn
.stack append Integer
L13: aload_0
L14: astore_3
L15: iconst_0
L16: istore 4
.stack append Object java/lang/String Integer
L18: iload 4
L20: iload_2
L21: if_icmpge L50
L24: new java/lang/StringBuilder
L27: dup
L28: invokespecial Method java/lang/StringBuilder <init> ()V
L31: aload_3
L32: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L35: ldc ' '
L37: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L40: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L43: astore_3
L44: iinc 4 1
L47: goto L18
.stack chop 1
L50: aload_3
L51: areturn
L52:
.linenumbertable
L0 53
L7 54
L11 55
L13 57
L15 58
L24 59
L44 58
L50 61
.end linenumbertable
.end code
.end method
.method static limitLineLength : (Ljava/lang/String;I)Ljava/lang/String;
.code stack 4 locals 7
L0: iconst_0
L1: istore_2
L2: aload_0
L3: astore_3
L4: iload_2
L5: iload_1
L6: iadd
L7: istore 4
.stack append Integer Object java/lang/String Integer
L9: iload 4
L11: aload_3
L12: invokevirtual Method java/lang/String length ()I
L15: if_icmpge L172
L18: aload_3
L19: ldc '\n'
L21: iload_2
L22: invokevirtual Method java/lang/String indexOf (Ljava/lang/String;I)I
L25: istore 5
L27: iconst_m1
L28: iload 5
L30: if_icmpeq L40
L33: iload 5
L35: iload 4
L37: if_icmple L159
.stack append Integer
L40: aload_3
L41: ldc ' '
L43: iload 4
L45: invokevirtual Method java/lang/String lastIndexOf (Ljava/lang/String;I)I
L48: istore 6
L50: iload 6
L52: aload_3
L53: ldc '\t'
L55: iload 4
L57: invokevirtual Method java/lang/String lastIndexOf (Ljava/lang/String;I)I
L60: invokestatic Method java/lang/Math max (II)I
L63: istore 6
L65: iload 6
L67: iconst_m1
L68: if_icmpeq L83
L71: iload 6
L73: iload_2
L74: if_icmple L83
L77: iload 6
L79: iconst_1
L80: iadd
L81: istore 4
.stack append Integer
L83: iload_2
L84: istore 6
.stack same
L86: aload_3
L87: iload 6
L89: invokevirtual Method java/lang/String charAt (I)C
L92: invokestatic Method java/lang/Character isWhitespace (C)Z
L95: ifeq L104
L98: iinc 6 1
L101: goto L86
.stack same
L104: new java/lang/StringBuilder
L107: dup
L108: invokespecial Method java/lang/StringBuilder <init> ()V
L111: aload_3
L112: iconst_0
L113: iload 4
L115: invokevirtual Method java/lang/String substring (II)Ljava/lang/String;
L118: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L121: ldc '\n'
L123: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L126: ldc ''
L128: iload 6
L130: iload_2
L131: isub
L132: invokestatic Method MainHelpers padTo (Ljava/lang/String;I)Ljava/lang/String;
L135: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L138: aload_3
L139: iload 4
L141: invokevirtual Method java/lang/String substring (I)Ljava/lang/String;
L144: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L147: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L150: astore_3
L151: iload 4
L153: iconst_1
L154: iadd
L155: istore_2
L156: goto L164
.stack chop 1
L159: iload 5
L161: iconst_1
L162: iadd
L163: istore_2
.stack same
L164: iload_2
L165: iload_1
L166: iadd
L167: istore 4
L169: goto L9
.stack chop 1
L172: aload_3
L173: areturn
L174:
.linenumbertable
L0 64
L2 65
L4 66
L9 67
L18 68
L27 69
L40 71
L50 72
L65 73
L83 75
L86 76
L104 77
L151 78
L156 79
L159 80
L164 82
L169 83
L172 84
.end linenumbertable
.end code
.end method
.method static argDescription : (Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String;
.code stack 5 locals 4
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: ldc ' '
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: bipush 14
L15: invokestatic Method MainHelpers padTo (Ljava/lang/String;I)Ljava/lang/String;
L18: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L21: ldc ' '
L23: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L26: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L29: astore_3
L30: aload_1
L31: ifnull L63
L34: new java/lang/StringBuilder
L37: dup
L38: invokespecial Method java/lang/StringBuilder <init> ()V
L41: aload_3
L42: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L45: ldc '['
L47: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L50: aload_1
L51: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L54: ldc ']'
L56: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L59: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L62: astore_3
.stack append Object java/lang/String
L63: new java/lang/StringBuilder
L66: dup
L67: invokespecial Method java/lang/StringBuilder <init> ()V
L70: aload_3
L71: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L74: ldc '\n'
L76: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L79: ldc ''
L81: bipush 14
L83: iconst_2
L84: ldc ' '
L86: invokevirtual Method java/lang/String length ()I
L89: imul
L90: iadd
L91: invokestatic Method MainHelpers padTo (Ljava/lang/String;I)Ljava/lang/String;
L94: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L97: aload_2
L98: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L101: ldc '\n\n'
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_3
L110: aload_3
L111: areturn
L112:
.linenumbertable
L0 87
L30 88
L34 89
L63 91
L110 92
.end linenumbertable
.end code
.end method
.method static writeToFile : (Ljava/io/File;Ljava/lang/String;)V
.code stack 5 locals 4
L0: new java/io/BufferedWriter
L3: dup
L4: new java/io/FileWriter
L7: dup
L8: aload_0
L9: invokespecial Method java/io/FileWriter <init> (Ljava/io/File;)V
L12: invokespecial Method java/io/BufferedWriter <init> (Ljava/io/Writer;)V
L15: astore_2
.catch [0] from L16 to L21 using L32
L16: aload_2
L17: aload_1
L18: invokevirtual Method java/io/BufferedWriter write (Ljava/lang/String;)V
L21: aload_2
L22: invokevirtual Method java/io/BufferedWriter flush ()V
L25: aload_2
L26: invokevirtual Method java/io/BufferedWriter close ()V
L29: goto L43
.stack full
locals Object java/io/File Object java/lang/String Object java/io/BufferedWriter
stack Object java/lang/Throwable
.end stack
L32: astore_3
L33: aload_2
L34: invokevirtual Method java/io/BufferedWriter flush ()V
L37: aload_2
L38: invokevirtual Method java/io/BufferedWriter close ()V
L41: aload_3
L42: athrow
.stack same
L43: return
L44:
.linenumbertable
L0 95
L16 97
L21 99
L25 100
L29 101
L32 99
L37 100
L41 101
L43 102
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.method public static pauseProg : ()V
.code stack 1 locals 0
L0: ldc 'Press enter to continue...'
L2: invokestatic Method MainHelpers pauseProg (Ljava/lang/String;)V
L5: return
L6:
.linenumbertable
L0 104
L5 105
.end linenumbertable
.end code
.end method
.method public static pauseProg : (Ljava/lang/String;)V
.code stack 3 locals 2
L0: getstatic Field java/lang/System out Ljava/io/PrintStream;
L3: aload_0
L4: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L7: new java/util/Scanner
L10: dup
L11: getstatic Field java/lang/System in Ljava/io/InputStream;
L14: invokespecial Method java/util/Scanner <init> (Ljava/io/InputStream;)V
L17: astore_1
L18: aload_1
L19: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String;
L22: pop
L23: return
L24:
.linenumbertable
L0 107
L7 108
L18 109
L23 110
.end linenumbertable
.end code
.end method
.method public static bytesToString : ([B)Ljava/lang/String;
.code stack 6 locals 4
L0: ldc ''
L2: astore_1
L3: iconst_0
L4: aload_0
L5: arraylength
L6: if_icmpne L11
L9: aload_1
L10: areturn
.stack append Object java/lang/String
L11: iconst_0
L12: istore_2
.stack append Integer
L13: iload_2
L14: aload_0
L15: arraylength
L16: if_icmpge L67
L19: sipush 255
L22: aload_0
L23: iload_2
L24: baload
L25: iand
L26: istore_3
L27: new java/lang/StringBuilder
L30: dup
L31: invokespecial Method java/lang/StringBuilder <init> ()V
L34: aload_1
L35: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L38: ldc '%02X '
L40: iconst_1
L41: anewarray java/lang/Object
L44: dup
L45: iconst_0
L46: iload_3
L47: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L50: aastore
L51: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String;
L54: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L57: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L60: astore_1
L61: iinc 2 1
L64: goto L13
.stack chop 1
L67: aload_1
L68: iconst_0
L69: aload_1
L70: invokevirtual Method java/lang/String length ()I
L73: iconst_1
L74: isub
L75: invokevirtual Method java/lang/String substring (II)Ljava/lang/String;
L78: areturn
L79:
.linenumbertable
L0 112
L3 113
L11 114
L19 115
L27 116
L61 114
L67 118
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 1 locals 0
L0: ldc 'Written by Sebastien Riou, 20160117-130000'
L2: putstatic Field MainHelpers credits Ljava/lang/String;
L5: bipush 78
L7: putstatic Field MainHelpers lineLengthLimit I
L10: ldc 'toBinStrFile'
L12: invokestatic Method MainHelpers formatArg (Ljava/lang/String;)Ljava/lang/String;
L15: putstatic Field MainHelpers ARG_TO_BINSTRFILE Ljava/lang/String;
L18: ldc 'HexStrFile'
L20: invokestatic Method MainHelpers formatArg (Ljava/lang/String;)Ljava/lang/String;
L23: putstatic Field MainHelpers ARG_HEXSTRFILE Ljava/lang/String;
L26: ldc 'HexStr'
L28: invokestatic Method MainHelpers formatArg (Ljava/lang/String;)Ljava/lang/String;
L31: putstatic Field MainHelpers ARG_HEXSTR Ljava/lang/String;
L34: ldc 'BinStrFile'
L36: invokestatic Method MainHelpers formatArg (Ljava/lang/String;)Ljava/lang/String;
L39: putstatic Field MainHelpers ARG_BINSTRFILE Ljava/lang/String;
L42: ldc 'SeqBinStr'
L44: invokestatic Method MainHelpers formatArg (Ljava/lang/String;)Ljava/lang/String;
L47: putstatic Field MainHelpers ARG_SEQ_BINSTR Ljava/lang/String;
L50: ldc 'SeqHexStr'
L52: invokestatic Method MainHelpers formatArg (Ljava/lang/String;)Ljava/lang/String;
L55: putstatic Field MainHelpers ARG_SEQ_HEXSTR Ljava/lang/String;
L58: ldc 'SeqBinStrFile'
L60: invokestatic Method MainHelpers formatArg (Ljava/lang/String;)Ljava/lang/String;
L63: putstatic Field MainHelpers ARG_SEQ_BINSTRFILE Ljava/lang/String;
L66: ldc 'SeqBinFile'
L68: invokestatic Method MainHelpers formatArg (Ljava/lang/String;)Ljava/lang/String;
L71: putstatic Field MainHelpers ARG_SEQ_BINFILE Ljava/lang/String;
L74: ldc 'LfsrBinStr'
L76: invokestatic Method MainHelpers formatArg (Ljava/lang/String;)Ljava/lang/String;
L79: putstatic Field MainHelpers ARG_LFSR_BINSTR Ljava/lang/String;
L82: ldc 'LfsrPoly'
L84: invokestatic Method MainHelpers formatArg (Ljava/lang/String;)Ljava/lang/String;
L87: putstatic Field MainHelpers ARG_LFSR_POLY Ljava/lang/String;
L90: ldc 'DispSeq'
L92: invokestatic Method MainHelpers formatArg (Ljava/lang/String;)Ljava/lang/String;
L95: putstatic Field MainHelpers ARG_DISP_SEQ Ljava/lang/String;
L98: ldc 'DispSeqStates'
L100: invokestatic Method MainHelpers formatArg (Ljava/lang/String;)Ljava/lang/String;
L103: putstatic Field MainHelpers ARG_DISP_SEQ_STATES Ljava/lang/String;
L106: ldc 'DispVectors'
L108: invokestatic Method MainHelpers formatArg (Ljava/lang/String;)Ljava/lang/String;
L111: putstatic Field MainHelpers ARG_DISP_VECTORS Ljava/lang/String;
L114: ldc 'TclOut'
L116: invokestatic Method MainHelpers formatArg (Ljava/lang/String;)Ljava/lang/String;
L119: putstatic Field MainHelpers ARG_TCLOUT Ljava/lang/String;
L122: ldc 'TclOutFile'
L124: invokestatic Method MainHelpers formatArg (Ljava/lang/String;)Ljava/lang/String;
L127: putstatic Field MainHelpers ARG_TCLOUTFILE Ljava/lang/String;
L130: ldc 'Endianness'
L132: invokestatic Method MainHelpers formatArg (Ljava/lang/String;)Ljava/lang/String;
L135: putstatic Field MainHelpers ARG_ENDIANNESS Ljava/lang/String;
L138: ldc 'Profiling'
L140: invokestatic Method MainHelpers formatArg (Ljava/lang/String;)Ljava/lang/String;
L143: putstatic Field MainHelpers ARG_PROFILING Ljava/lang/String;
L146: ldc 'Help'
L148: invokestatic Method MainHelpers formatArg (Ljava/lang/String;)Ljava/lang/String;
L151: putstatic Field MainHelpers ARG_HELP Ljava/lang/String;
L154: return
L155:
.linenumbertable
L0 13
L5 14
L10 33
L18 34
L26 35
L34 36
L42 37
L50 38
L58 39
L66 40
L74 41
L82 42
L90 43
L98 44
L106 45
L114 46
L122 47
L130 48
L138 49
L146 50
.end linenumbertable
.end code
.end method
.sourcefile 'MainHelpers.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 01:25:10 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.io.FileNotFoundException;
import java.util.NoSuchElementException;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.mock.java.io.MockFile;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class MainHelpers_ESTest extends MainHelpers_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
MainHelpers.padTo("", 0);
int int0 = 74426;
// Undeclared exception!
MainHelpers.padTo("", 74426);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
String string0 = "h.#;`>8|";
MockFile mockFile0 = new MockFile("", "h.#;`>8|");
mockFile0.setWritable(false);
MockFile mockFile1 = new MockFile(mockFile0, "");
mockFile0.renameTo(mockFile1);
mockFile0.setExecutable(false, false);
mockFile0.setLastModified(1108L);
mockFile1.mkdir();
try {
MainHelpers.writeToFile(mockFile0, "Profiling");
fail("Expecting exception: FileNotFoundException");
} catch(FileNotFoundException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("org.evosuite.runtime.mock.java.io.MockFileOutputStream", e);
}
}
@Test(timeout = 4000)
public void test02() throws Throwable {
MainHelpers.argDescription("", "", "");
MainHelpers.padTo("|Oa[XzzM}", (-4616));
MainHelpers mainHelpers0 = new MainHelpers();
MainHelpers.argDescription("Seq", "-tclOut", " []\n \n\n");
byte[] byteArray0 = new byte[4];
byteArray0[0] = (byte)0;
byteArray0[1] = (byte)10;
byteArray0[2] = (byte)1;
byteArray0[3] = (byte)0;
MainHelpers.bytesToString(byteArray0);
// Undeclared exception!
try {
MainHelpers.pauseProg();
fail("Expecting exception: NoSuchElementException");
} catch(NoSuchElementException e) {
//
// No line found
//
verifyException("java.util.Scanner", e);
}
}
@Test(timeout = 4000)
public void test03() throws Throwable {
MainHelpers mainHelpers0 = new MainHelpers();
MainHelpers.padTo("-dispSeq", 78);
String string0 = "j";
byte[] byteArray0 = null;
// Undeclared exception!
try {
MainHelpers.bytesToString((byte[]) null);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("MainHelpers", e);
}
}
@Test(timeout = 4000)
public void test04() throws Throwable {
MainHelpers mainHelpers0 = new MainHelpers();
byte[] byteArray0 = new byte[6];
byteArray0[0] = (byte) (-1);
byteArray0[1] = (byte)0;
byteArray0[2] = (byte) (-107);
byteArray0[3] = (byte)0;
byteArray0[4] = (byte) (-20);
byteArray0[5] = (byte)86;
MainHelpers.bytesToString(byteArray0);
// Undeclared exception!
try {
MainHelpers.pauseProg();
fail("Expecting exception: NoSuchElementException");
} catch(NoSuchElementException e) {
//
// No line found
//
verifyException("java.util.Scanner", e);
}
}
@Test(timeout = 4000)
public void test05() throws Throwable {
MainHelpers.argDescription("", "", "");
MainHelpers.limitLineLength("", 78);
byte[] byteArray0 = new byte[9];
byteArray0[0] = (byte)101;
byteArray0[1] = (byte)47;
byteArray0[2] = (byte)74;
byteArray0[3] = (byte)57;
byteArray0[4] = (byte)105;
byteArray0[5] = (byte)23;
byteArray0[6] = (byte) (-1);
byteArray0[7] = (byte) (-4);
byteArray0[8] = (byte) (-9);
MainHelpers.bytesToString(byteArray0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
MainHelpers.limitLineLength("", 21288);
String string0 = "";
MainHelpers.limitLineLength("", 21288);
// Undeclared exception!
MainHelpers.padTo("", 21288);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
String string0 = "AUDk2t&t^0";
// Undeclared exception!
try {
MainHelpers.pauseProg("AUDk2t&t^0");
fail("Expecting exception: NoSuchElementException");
} catch(NoSuchElementException e) {
//
// No line found
//
verifyException("java.util.Scanner", e);
}
}
@Test(timeout = 4000)
public void test08() throws Throwable {
byte[] byteArray0 = new byte[6];
byteArray0[0] = (byte)8;
byteArray0[1] = (byte)46;
byteArray0[2] = (byte)0;
byteArray0[3] = (byte)76;
byteArray0[4] = (byte)19;
byteArray0[5] = (byte)76;
MainHelpers.bytesToString(byteArray0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
MainHelpers.limitLineLength("", 0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
String string0 = "nGV{,`(^e=L)y]2NzP";
int int0 = 0;
// Undeclared exception!
MainHelpers.limitLineLength("nGV{,`(^e=L)y]2NzP", 0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 01:25: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 MainHelpers_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "MainHelpers";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
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/tmpfyrkb_rh");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MainHelpers_ESTest_scaffolding.class.getClassLoader() ,
"MainHelpers"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MainHelpers_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MainHelpers"
);
}
}
| 151,196 |
EndpointTypeResolver
|
/*
* #%L
* %%
* Copyright (C) 2011 - 2017 BMW Car IT GmbH
* %%
* 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%
*/
public class EndpointTypeResolver {}
|
.version 52 0
.class public super EndpointTypeResolver
.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
.sourcefile 'EndpointTypeResolver.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Fri Jul 01 23:05: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 EndpointTypeResolver_ESTest extends EndpointTypeResolver_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
EndpointTypeResolver endpointTypeResolver0 = new EndpointTypeResolver();
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 23:05: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 EndpointTypeResolver_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "EndpointTypeResolver";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpwccak_iq");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(EndpointTypeResolver_ESTest_scaffolding.class.getClassLoader() ,
"EndpointTypeResolver"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(EndpointTypeResolver_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"EndpointTypeResolver"
);
}
}
| 151,197 |
Constants
|
/**
* 常用类
*
* @author Jayin Ton
*/
public class Constants {
/** 服务Action */
/** 检测新版本 */
public static final String Action_checkVersion = "check_version";
/** 去取未读消息数量 */
public static final String Action_To_Get_Unread = "To_Get_Unread";
/** 得到未读消息数目 */
public static final String Action_Receive_UnreadCount = "Receive_UnreadCount";
/** 停止轮询得到未读消息数目 */
public static final String Action_Stop_Receive_UnreadCount = "Stop_Receive_UnreadCount";
/** 开始得到未读消息数目 */
public static final String Action_Start_Receive_UnreadCount = "Start_Receive_UnreadCount";
/** 去登录 */
public static final String Action_To_Login_In = "To_Login_in";
/** 用户登录成功 */
public static final String Action_Login_In_Successful = "Login_In_Successful";
/** 用户登录失败 */
public static final String Action_Login_In_Faild = "Login_In_Faild";
// 广播Action
public static final String Action_User_edit = "Action_User_edit";
/** 取消关注 */
public static final String Action_User_unfollow = "Action_User_unfollow";
/** 话题(包含圈子分享 )发布成功 */
public static final String Action_Issue_Comment_Ok = "Issue_Comment_Ok";
/** 话题修改 */
public static final String Action_Issue_Edit = "Action_Issue_Edit";
/** 话题删除 */
public static final String Action_Issue_delete = "Action_Issue_delete";
/** 取消收藏 */
public static final String Action_Issue_unFavourite = "Action_Issue_unFavourite";
/** 商务合作评论成功 */
public static final String Action_Bussiness_Comment_Ok = "Bussiness_Comment_Ok";
/** 商务合作修改 */
public static final String Action_Bussiness_Edit = "Bussiness_Edit";
/** 商务合作取消关注 */
public static final String Action_Bussiness_unfavourite = "Action_Bussiness_unfavourite";
/** 获得版本信息 */
public static final String Action_Receive_VersionInfo = "Receive_VersionInfo";
/** 圈子信息修改 */
public static final String Action_GroupInfo_Edit = "GroupInfo_Edit";
/** 活动分享修改 */
public static final String Action_ActivityShare_Edit = "ActivityShare_Edit";
/** 活动信息修改 */
public static final String Action_ActivityInfo_Edit = "ActivityInfo_Edit ";
/** 主页面图片更换 */
public static final String Action_Backgroud_switch = "Backgroud_switch";
/** 用户退出 */
public static final String Action_User_Login_Out = "User_Login_Out";
}
|
.version 52 0
.class public super Constants
.super java/lang/Object
.field public static final Action_checkVersion Ljava/lang/String; = 'check_version'
.field public static final Action_To_Get_Unread Ljava/lang/String; = 'To_Get_Unread'
.field public static final Action_Receive_UnreadCount Ljava/lang/String; = 'Receive_UnreadCount'
.field public static final Action_Stop_Receive_UnreadCount Ljava/lang/String; = 'Stop_Receive_UnreadCount'
.field public static final Action_Start_Receive_UnreadCount Ljava/lang/String; = 'Start_Receive_UnreadCount'
.field public static final Action_To_Login_In Ljava/lang/String; = 'To_Login_in'
.field public static final Action_Login_In_Successful Ljava/lang/String; = 'Login_In_Successful'
.field public static final Action_Login_In_Faild Ljava/lang/String; = 'Login_In_Faild'
.field public static final Action_User_edit Ljava/lang/String; = 'Action_User_edit'
.field public static final Action_User_unfollow Ljava/lang/String; = 'Action_User_unfollow'
.field public static final Action_Issue_Comment_Ok Ljava/lang/String; = 'Issue_Comment_Ok'
.field public static final Action_Issue_Edit Ljava/lang/String; = 'Action_Issue_Edit'
.field public static final Action_Issue_delete Ljava/lang/String; = 'Action_Issue_delete'
.field public static final Action_Issue_unFavourite Ljava/lang/String; = 'Action_Issue_unFavourite'
.field public static final Action_Bussiness_Comment_Ok Ljava/lang/String; = 'Bussiness_Comment_Ok'
.field public static final Action_Bussiness_Edit Ljava/lang/String; = 'Bussiness_Edit'
.field public static final Action_Bussiness_unfavourite Ljava/lang/String; = 'Action_Bussiness_unfavourite'
.field public static final Action_Receive_VersionInfo Ljava/lang/String; = 'Receive_VersionInfo'
.field public static final Action_GroupInfo_Edit Ljava/lang/String; = 'GroupInfo_Edit'
.field public static final Action_ActivityShare_Edit Ljava/lang/String; = 'ActivityShare_Edit'
.field public static final Action_ActivityInfo_Edit Ljava/lang/String; = 'ActivityInfo_Edit '
.field public static final Action_Backgroud_switch Ljava/lang/String; = 'Backgroud_switch'
.field public static final Action_User_Login_Out Ljava/lang/String; = 'User_Login_Out'
.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
.sourcefile 'Constants.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Sat Jul 02 10:11:03 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Constants_ESTest extends Constants_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Constants constants0 = new Constants();
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 10:11: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 Constants_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Constants";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp474a2tg3");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Constants_ESTest_scaffolding.class.getClassLoader() ,
"Constants"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Constants_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Constants"
);
}
}
| 151,198 |
LinkDescriptor
|
/*L
* Copyright Moxie Informatics.
*
* Distributed under the OSI-approved BSD 3-Clause License.
* See http://ncip.github.com/calims/LICENSE.txt for details.
*/
/** */
import java.io.Serializable;
/**
* Information about a link.
*
* @author viseem
*/
public class LinkDescriptor implements Serializable {
private static final long serialVersionUID = 6854108077369495779L;
private String type;
private String href;
private String rel;
private String media;
/**
* Constructor.
*
* @param type The type of link
* @param href The target of the link
* @param rel The type of relationship the link represents.
* @param media The media to which the link applies.
*/
public LinkDescriptor(String type, String href, String rel, String media) {
this.type = type;
this.href = href;
this.rel = rel;
this.media = media;
}
/**
* @return the type
*/
public String getType() {
return type;
}
/**
* @return the href
*/
public String getHref() {
return href;
}
/**
* @return the rel
*/
public String getRel() {
return rel;
}
/**
* @return the media
*/
public String getMedia() {
return media;
}
}
|
.version 52 0
.class public super LinkDescriptor
.super java/lang/Object
.implements java/io/Serializable
.field private static final serialVersionUID J = 6854108077369495779L
.field private type Ljava/lang/String;
.field private href Ljava/lang/String;
.field private rel Ljava/lang/String;
.field private media Ljava/lang/String;
.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 LinkDescriptor type Ljava/lang/String;
L9: aload_0
L10: aload_2
L11: putfield Field LinkDescriptor href Ljava/lang/String;
L14: aload_0
L15: aload_3
L16: putfield Field LinkDescriptor rel Ljava/lang/String;
L19: aload_0
L20: aload 4
L22: putfield Field LinkDescriptor media Ljava/lang/String;
L25: return
L26:
.linenumbertable
L0 38
L4 39
L9 40
L14 41
L19 42
L25 43
.end linenumbertable
.end code
.end method
.method public getType : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field LinkDescriptor type Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 49
.end linenumbertable
.end code
.end method
.method public getHref : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field LinkDescriptor href Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 56
.end linenumbertable
.end code
.end method
.method public getRel : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field LinkDescriptor rel Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 63
.end linenumbertable
.end code
.end method
.method public getMedia : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field LinkDescriptor media Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 70
.end linenumbertable
.end code
.end method
.sourcefile 'LinkDescriptor.java'
.end class
|
/*
* This file was automatically generated by EvoSuite
* Mon Jul 04 07:48: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 LinkDescriptor_ESTest extends LinkDescriptor_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
LinkDescriptor linkDescriptor0 = new LinkDescriptor((String) null, (String) null, "", "XD[.u#9Xy?$K?r D@W_");
String string0 = linkDescriptor0.getType();
assertNull(string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
LinkDescriptor linkDescriptor0 = new LinkDescriptor("J_|r]-", "oBKR=PGpjp", "oBKR=PGpjp", "J_|r]-");
String string0 = linkDescriptor0.getType();
assertEquals("J_|r]-", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
LinkDescriptor linkDescriptor0 = new LinkDescriptor("", "", (String) null, "K&|B9xBq]se)S?>H<H");
String string0 = linkDescriptor0.getRel();
assertNull(string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
LinkDescriptor linkDescriptor0 = new LinkDescriptor("J_|r]-", "oBKR=PGpjp", "oBKR=PGpjp", "J_|r]-");
String string0 = linkDescriptor0.getRel();
assertEquals("oBKR=PGpjp", string0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
LinkDescriptor linkDescriptor0 = new LinkDescriptor("LinkDescriptor", (String) null, "LinkDescriptor", (String) null);
String string0 = linkDescriptor0.getMedia();
assertNull(string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
LinkDescriptor linkDescriptor0 = new LinkDescriptor("J_|r]-", "oBKR=PGpjp", "oBKR=PGpjp", "J_|r]-");
String string0 = linkDescriptor0.getMedia();
assertEquals("J_|r]-", string0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
LinkDescriptor linkDescriptor0 = new LinkDescriptor((String) null, (String) null, "", "XD[.u#9Xy?$K?r D@W_");
String string0 = linkDescriptor0.getHref();
assertNull(string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
LinkDescriptor linkDescriptor0 = new LinkDescriptor("J_|r]-", "oBKR=PGpjp", "oBKR=PGpjp", "J_|r]-");
String string0 = linkDescriptor0.getHref();
assertEquals("oBKR=PGpjp", string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
LinkDescriptor linkDescriptor0 = new LinkDescriptor("", "", "", "");
String string0 = linkDescriptor0.getMedia();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
LinkDescriptor linkDescriptor0 = new LinkDescriptor("", "", "", "");
String string0 = linkDescriptor0.getType();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
LinkDescriptor linkDescriptor0 = new LinkDescriptor("", "", "", "");
String string0 = linkDescriptor0.getRel();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
LinkDescriptor linkDescriptor0 = new LinkDescriptor("", "", "", "");
String string0 = linkDescriptor0.getHref();
assertEquals("", string0);
}
}
|
/**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 07:48: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 LinkDescriptor_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "LinkDescriptor";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpcpmj8v2_");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(LinkDescriptor_ESTest_scaffolding.class.getClassLoader() ,
"LinkDescriptor"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(LinkDescriptor_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"LinkDescriptor"
);
}
}
| 151,199 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.