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
|
---|---|---|---|---|---|
TarHeader | /*******************************************************************************
* Copyright (c) MOBAC developers
*
* 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, see <http://www.gnu.org/licenses/>.
******************************************************************************/
import java.io.File;
import java.io.UnsupportedEncodingException;
public class TarHeader {
// private static Logger log = Logger.getLogger(TarHeader.class);
private File baseFilePath;
private int fileNameLength;
private final char[] fileName = new char[100];
private final char[] fileMode = new char[8];
private final char[] fileOwnerUserID = new char[8];
private final char[] fileOwnerGroupID = new char[8];
private final char[] fileSize = new char[12];
private final char[] lastModificationTime = new char[12];
private final char[] linkIndicator = new char[1];
private final char[] nameOfLinkedFile = new char[100];
private static final char[] padding = new char[255];
public TarHeader() {}
public TarHeader(File theFile, File theBaseFilePath) {
this();
baseFilePath = theBaseFilePath;
this.setFileName(theFile, baseFilePath);
this.setFileMode();
this.setFileOwnerUserID();
this.setFileOwnerGroupID();
this.setFileSize(theFile);
this.setLastModificationTime(theFile);
this.setLinkIndicator(theFile);
}
public TarHeader(String fileName, int fileSize, boolean isDirectory) {
this();
this.setFileName(fileName);
this.setFileMode();
this.setFileOwnerUserID();
this.setFileOwnerGroupID();
this.setFileSize(fileSize);
this.setLastModificationTime(System.currentTimeMillis());
this.setLinkIndicator(isDirectory);
}
public void read(byte[] buffer) {
String fn = new String(buffer, 0, 512);
fn.getChars(0, 100, fileName, 0);
fileNameLength = fn.indexOf((char) 0);
fn.getChars(100, 108, fileMode, 0);
fn.getChars(108, 116, fileOwnerUserID, 0);
fn.getChars(116, 124, fileOwnerGroupID, 0);
fn.getChars(124, 136, fileSize, 0);
fn.getChars(136, 148, lastModificationTime, 0);
// fn.getChars(148, 156, checksum, 0); we ignore the checksum
fn.getChars(156, 157, linkIndicator, 0);
fn.getChars(157, 257, nameOfLinkedFile, 0);
}
// S E T - Methods
public void setFileName(File theFile, File theBaseFilePath) {
String filePath = theFile.getAbsolutePath();
String basePath = theBaseFilePath.getAbsolutePath();
if (!filePath.startsWith(basePath))
throw new RuntimeException(
"File \"" + filePath + "\" is outside of archive base path \"" + basePath + "\"!");
String tarFileName = filePath.substring(basePath.length(), filePath.length());
tarFileName = tarFileName.replace('\\', '/');
if (tarFileName.startsWith("/")) tarFileName = tarFileName.substring(1, tarFileName.length());
if (theFile.isDirectory()) tarFileName = tarFileName + "/";
setFileName(tarFileName);
}
public void setFileName(String newFileName) {
int newFileNameLength = newFileName.length();
if (newFileNameLength > fileName.length)
throw new RuntimeException(
"File name length exceeds limit of 100 characters: "
+ newFileNameLength
+ "chars:"
+ newFileName);
char[] theFileName = newFileName.toCharArray();
System.arraycopy(theFileName, 0, fileName, 0, newFileNameLength);
fileNameLength = newFileNameLength;
for (int i = newFileNameLength; i < fileName.length; i++) {
fileName[i] = 0;
}
}
public void setFileMode() {
" 777 ".getChars(0, 7, fileMode, 0);
}
public void setFileOwnerUserID() {
" 0 ".getChars(0, 7, fileOwnerUserID, 0);
}
public void setFileOwnerGroupID() {
" 0 ".getChars(0, 7, fileOwnerGroupID, 0);
}
public void setFileSize(File theFile) {
long fileSizeLong = 0;
if (!theFile.isDirectory()) {
fileSizeLong = theFile.length();
}
setFileSize(fileSizeLong);
}
public void setFileSize(long fileSize) {
char[] fileSizeCharArray = Long.toString(fileSize, 8).toCharArray();
int offset = 11 - fileSizeCharArray.length;
for (int i = 0; i < 12; i++) {
if (i < offset) {
this.fileSize[i] = ' ';
} else if (i == 11) {
this.fileSize[i] = ' ';
} else {
this.fileSize[i] = fileSizeCharArray[i - offset];
}
}
}
public void setLastModificationTime(File theFile) {
setLastModificationTime(theFile.lastModified());
}
public void setLastModificationTime(long lastModifiedTime) {
lastModifiedTime /= 1000;
char[] fileLastModifiedTimeCharArray = Long.toString(lastModifiedTime, 8).toCharArray();
for (int i = 0; i < fileLastModifiedTimeCharArray.length; i++) {
lastModificationTime[i] = fileLastModifiedTimeCharArray[i];
}
if (fileLastModifiedTimeCharArray.length < 12) {
for (int i = fileLastModifiedTimeCharArray.length; i < 12; i++) {
lastModificationTime[i] = ' ';
}
}
}
public void setLinkIndicator(File theFile) {
setLinkIndicator(theFile.isDirectory());
}
public void setLinkIndicator(boolean isDirectory) {
if (isDirectory) {
linkIndicator[0] = '5';
} else {
linkIndicator[0] = '0';
}
}
// G E T - Methods
public String getFileName() {
return new String(fileName, 0, fileNameLength);
}
public int getFileNameLength() {
return fileNameLength;
}
public char[] getFileMode() {
return fileMode;
}
public char[] getFileOwnerUserID() {
return fileOwnerUserID;
}
public char[] getFileOwnerGroupID() {
return fileOwnerGroupID;
}
public char[] getFileSize() {
return fileSize;
}
public int getFileSizeInt() {
return Integer.parseInt(new String(fileSize).trim(), 8);
}
public char[] getLastModificationTime() {
return lastModificationTime;
}
public char[] getLinkIndicator() {
return linkIndicator;
}
public char[] getNameOfLinkedFile() {
return nameOfLinkedFile;
}
public char[] getPadding() {
return padding;
}
/**
* Checksum field content:<br>
* Header checksum, stored as an octal number in ASCII. To compute the checksum, set the checksum
* field to all spaces, then sum all bytes in the header using unsigned arithmetic. This field
* should be stored as six octal digits followed by a null and a space character. Note that many
* early implementations of tar used signed arithmetic for the checksum field, which can cause
* inter- operability problems when transferring archives between systems. Modern robust readers
* compute the checksum both ways and accept the header if either computation matches.<br>
* <a href="http://www.freebsd.org/cgi/man.cgi?query=tar&sektion=5&manpath=FreeBSD+8-current"
* >definition source</a>
*
* @param header array containing a tar header at offset 0 (512 bytes of size) with prepared
* checksum field (filled with spaces)
*/
public void correctCheckSum(byte[] header) {
// Compute the checksum
// theoretical max = 512 bytes * 255 = 130560 = o377000
int checksum = 0;
for (int i = 0; i < 512; i++) {
// compute the checksum with unsigned arithmetic
checksum = checksum + (header[i] & 0xFF);
}
String s = Integer.toOctalString(checksum);
while (s.length() < 6) s = '0' + s;
byte[] checksumBin = (s).getBytes();
System.arraycopy(checksumBin, 0, header, 148, 6);
header[154] = 0;
}
public byte[] getBytes() {
StringBuffer sb = new StringBuffer(512);
sb.append(fileName);
sb.append(fileMode);
sb.append(fileOwnerUserID);
sb.append(fileOwnerGroupID);
sb.append(fileSize);
sb.append(lastModificationTime);
sb.append(" "); // empty/prepared checksum
sb.append(linkIndicator);
sb.append(nameOfLinkedFile);
sb.append(padding);
byte[] result;
try {
result = sb.toString().getBytes("US-ASCII");
} catch (UnsupportedEncodingException e) {
throw new RuntimeException(e); // should never happen
}
if (result.length != 512)
throw new RuntimeException("Invalid tar header size: " + result.length);
correctCheckSum(result);
return result;
}
}
| .version 52 0
.class public super TarHeader
.super java/lang/Object
.field private baseFilePath Ljava/io/File;
.field private fileNameLength I
.field private final fileName [C
.field private final fileMode [C
.field private final fileOwnerUserID [C
.field private final fileOwnerGroupID [C
.field private final fileSize [C
.field private final lastModificationTime [C
.field private final linkIndicator [C
.field private final nameOfLinkedFile [C
.field private static final padding [C
.method public <init> : ()V
.code stack 2 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: bipush 100
L7: newarray char
L9: putfield Field TarHeader fileName [C
L12: aload_0
L13: bipush 8
L15: newarray char
L17: putfield Field TarHeader fileMode [C
L20: aload_0
L21: bipush 8
L23: newarray char
L25: putfield Field TarHeader fileOwnerUserID [C
L28: aload_0
L29: bipush 8
L31: newarray char
L33: putfield Field TarHeader fileOwnerGroupID [C
L36: aload_0
L37: bipush 12
L39: newarray char
L41: putfield Field TarHeader fileSize [C
L44: aload_0
L45: bipush 12
L47: newarray char
L49: putfield Field TarHeader lastModificationTime [C
L52: aload_0
L53: iconst_1
L54: newarray char
L56: putfield Field TarHeader linkIndicator [C
L59: aload_0
L60: bipush 100
L62: newarray char
L64: putfield Field TarHeader nameOfLinkedFile [C
L67: return
L68:
.linenumbertable
L0 39
L4 29
L12 30
L20 31
L28 32
L36 33
L44 34
L52 35
L59 36
L67 40
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/io/File;Ljava/io/File;)V
.code stack 3 locals 3
L0: aload_0
L1: invokespecial Method TarHeader <init> ()V
L4: aload_0
L5: aload_2
L6: putfield Field TarHeader baseFilePath Ljava/io/File;
L9: aload_0
L10: aload_1
L11: aload_0
L12: getfield Field TarHeader baseFilePath Ljava/io/File;
L15: invokevirtual Method TarHeader setFileName (Ljava/io/File;Ljava/io/File;)V
L18: aload_0
L19: invokevirtual Method TarHeader setFileMode ()V
L22: aload_0
L23: invokevirtual Method TarHeader setFileOwnerUserID ()V
L26: aload_0
L27: invokevirtual Method TarHeader setFileOwnerGroupID ()V
L30: aload_0
L31: aload_1
L32: invokevirtual Method TarHeader setFileSize (Ljava/io/File;)V
L35: aload_0
L36: aload_1
L37: invokevirtual Method TarHeader setLastModificationTime (Ljava/io/File;)V
L40: aload_0
L41: aload_1
L42: invokevirtual Method TarHeader setLinkIndicator (Ljava/io/File;)V
L45: return
L46:
.linenumbertable
L0 43
L4 44
L9 46
L18 47
L22 48
L26 49
L30 50
L35 51
L40 52
L45 53
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;IZ)V
.code stack 3 locals 4
L0: aload_0
L1: invokespecial Method TarHeader <init> ()V
L4: aload_0
L5: aload_1
L6: invokevirtual Method TarHeader setFileName (Ljava/lang/String;)V
L9: aload_0
L10: invokevirtual Method TarHeader setFileMode ()V
L13: aload_0
L14: invokevirtual Method TarHeader setFileOwnerUserID ()V
L17: aload_0
L18: invokevirtual Method TarHeader setFileOwnerGroupID ()V
L21: aload_0
L22: iload_2
L23: i2l
L24: invokevirtual Method TarHeader setFileSize (J)V
L27: aload_0
L28: invokestatic Method java/lang/System currentTimeMillis ()J
L31: invokevirtual Method TarHeader setLastModificationTime (J)V
L34: aload_0
L35: iload_3
L36: invokevirtual Method TarHeader setLinkIndicator (Z)V
L39: return
L40:
.linenumbertable
L0 56
L4 57
L9 58
L13 59
L17 60
L21 61
L27 62
L34 63
L39 64
.end linenumbertable
.end code
.end method
.method public read : ([B)V
.code stack 5 locals 3
L0: new java/lang/String
L3: dup
L4: aload_1
L5: iconst_0
L6: sipush 512
L9: invokespecial Method java/lang/String <init> ([BII)V
L12: astore_2
L13: aload_2
L14: iconst_0
L15: bipush 100
L17: aload_0
L18: getfield Field TarHeader fileName [C
L21: iconst_0
L22: invokevirtual Method java/lang/String getChars (II[CI)V
L25: aload_0
L26: aload_2
L27: iconst_0
L28: invokevirtual Method java/lang/String indexOf (I)I
L31: putfield Field TarHeader fileNameLength I
L34: aload_2
L35: bipush 100
L37: bipush 108
L39: aload_0
L40: getfield Field TarHeader fileMode [C
L43: iconst_0
L44: invokevirtual Method java/lang/String getChars (II[CI)V
L47: aload_2
L48: bipush 108
L50: bipush 116
L52: aload_0
L53: getfield Field TarHeader fileOwnerUserID [C
L56: iconst_0
L57: invokevirtual Method java/lang/String getChars (II[CI)V
L60: aload_2
L61: bipush 116
L63: bipush 124
L65: aload_0
L66: getfield Field TarHeader fileOwnerGroupID [C
L69: iconst_0
L70: invokevirtual Method java/lang/String getChars (II[CI)V
L73: aload_2
L74: bipush 124
L76: sipush 136
L79: aload_0
L80: getfield Field TarHeader fileSize [C
L83: iconst_0
L84: invokevirtual Method java/lang/String getChars (II[CI)V
L87: aload_2
L88: sipush 136
L91: sipush 148
L94: aload_0
L95: getfield Field TarHeader lastModificationTime [C
L98: iconst_0
L99: invokevirtual Method java/lang/String getChars (II[CI)V
L102: aload_2
L103: sipush 156
L106: sipush 157
L109: aload_0
L110: getfield Field TarHeader linkIndicator [C
L113: iconst_0
L114: invokevirtual Method java/lang/String getChars (II[CI)V
L117: aload_2
L118: sipush 157
L121: sipush 257
L124: aload_0
L125: getfield Field TarHeader nameOfLinkedFile [C
L128: iconst_0
L129: invokevirtual Method java/lang/String getChars (II[CI)V
L132: return
L133:
.linenumbertable
L0 67
L13 68
L25 69
L34 70
L47 71
L60 72
L73 73
L87 74
L102 76
L117 77
L132 78
.end linenumbertable
.end code
.end method
.method public setFileName : (Ljava/io/File;Ljava/io/File;)V
.code stack 4 locals 6
L0: aload_1
L1: invokevirtual Method java/io/File getAbsolutePath ()Ljava/lang/String;
L4: astore_3
L5: aload_2
L6: invokevirtual Method java/io/File getAbsolutePath ()Ljava/lang/String;
L9: astore 4
L11: aload_3
L12: aload 4
L14: invokevirtual Method java/lang/String startsWith (Ljava/lang/String;)Z
L17: ifne L62
L20: new java/lang/RuntimeException
L23: dup
L24: new java/lang/StringBuilder
L27: dup
L28: invokespecial Method java/lang/StringBuilder <init> ()V
L31: ldc 'File "'
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 '" is outside of archive base path "'
L42: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L45: aload 4
L47: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L50: ldc '"!'
L52: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L55: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L58: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V
L61: athrow
.stack append Object java/lang/String Object java/lang/String
L62: aload_3
L63: aload 4
L65: invokevirtual Method java/lang/String length ()I
L68: aload_3
L69: invokevirtual Method java/lang/String length ()I
L72: invokevirtual Method java/lang/String substring (II)Ljava/lang/String;
L75: astore 5
L77: aload 5
L79: bipush 92
L81: bipush 47
L83: invokevirtual Method java/lang/String replace (CC)Ljava/lang/String;
L86: astore 5
L88: aload 5
L90: ldc '/'
L92: invokevirtual Method java/lang/String startsWith (Ljava/lang/String;)Z
L95: ifeq L111
L98: aload 5
L100: iconst_1
L101: aload 5
L103: invokevirtual Method java/lang/String length ()I
L106: invokevirtual Method java/lang/String substring (II)Ljava/lang/String;
L109: astore 5
.stack append Object java/lang/String
L111: aload_1
L112: invokevirtual Method java/io/File isDirectory ()Z
L115: ifeq L140
L118: new java/lang/StringBuilder
L121: dup
L122: invokespecial Method java/lang/StringBuilder <init> ()V
L125: aload 5
L127: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L130: ldc '/'
L132: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L135: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L138: astore 5
.stack same
L140: aload_0
L141: aload 5
L143: invokevirtual Method TarHeader setFileName (Ljava/lang/String;)V
L146: return
L147:
.linenumbertable
L0 83
L5 84
L11 85
L20 86
L62 89
L77 91
L88 93
L98 94
L111 96
L118 97
L140 98
L146 99
.end linenumbertable
.end code
.end method
.method public setFileName : (Ljava/lang/String;)V
.code stack 5 locals 5
L0: aload_1
L1: invokevirtual Method java/lang/String length ()I
L4: istore_2
L5: iload_2
L6: aload_0
L7: getfield Field TarHeader fileName [C
L10: arraylength
L11: if_icmple L50
L14: new java/lang/RuntimeException
L17: dup
L18: new java/lang/StringBuilder
L21: dup
L22: invokespecial Method java/lang/StringBuilder <init> ()V
L25: ldc 'File name length exceeds limit of 100 characters: '
L27: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L30: iload_2
L31: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L34: ldc 'chars:'
L36: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L39: aload_1
L40: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L43: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L46: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V
L49: athrow
.stack append Integer
L50: aload_1
L51: invokevirtual Method java/lang/String toCharArray ()[C
L54: astore_3
L55: aload_3
L56: iconst_0
L57: aload_0
L58: getfield Field TarHeader fileName [C
L61: iconst_0
L62: iload_2
L63: invokestatic Method java/lang/System arraycopy (Ljava/lang/Object;ILjava/lang/Object;II)V
L66: aload_0
L67: iload_2
L68: putfield Field TarHeader fileNameLength I
L71: iload_2
L72: istore 4
.stack append Object [C Integer
L74: iload 4
L76: aload_0
L77: getfield Field TarHeader fileName [C
L80: arraylength
L81: if_icmpge L98
L84: aload_0
L85: getfield Field TarHeader fileName [C
L88: iload 4
L90: iconst_0
L91: castore
L92: iinc 4 1
L95: goto L74
.stack chop 1
L98: return
L99:
.linenumbertable
L0 102
L5 103
L14 104
L50 107
L55 108
L66 109
L71 111
L84 112
L92 111
L98 114
.end linenumbertable
.end code
.end method
.method public setFileMode : ()V
.code stack 5 locals 1
L0: ldc ' 777 '
L2: iconst_0
L3: bipush 7
L5: aload_0
L6: getfield Field TarHeader fileMode [C
L9: iconst_0
L10: invokevirtual Method java/lang/String getChars (II[CI)V
L13: return
L14:
.linenumbertable
L0 117
L13 118
.end linenumbertable
.end code
.end method
.method public setFileOwnerUserID : ()V
.code stack 5 locals 1
L0: ldc ' 0 '
L2: iconst_0
L3: bipush 7
L5: aload_0
L6: getfield Field TarHeader fileOwnerUserID [C
L9: iconst_0
L10: invokevirtual Method java/lang/String getChars (II[CI)V
L13: return
L14:
.linenumbertable
L0 121
L13 122
.end linenumbertable
.end code
.end method
.method public setFileOwnerGroupID : ()V
.code stack 5 locals 1
L0: ldc ' 0 '
L2: iconst_0
L3: bipush 7
L5: aload_0
L6: getfield Field TarHeader fileOwnerGroupID [C
L9: iconst_0
L10: invokevirtual Method java/lang/String getChars (II[CI)V
L13: return
L14:
.linenumbertable
L0 125
L13 126
.end linenumbertable
.end code
.end method
.method public setFileSize : (Ljava/io/File;)V
.code stack 3 locals 4
L0: lconst_0
L1: lstore_2
L2: aload_1
L3: invokevirtual Method java/io/File isDirectory ()Z
L6: ifne L14
L9: aload_1
L10: invokevirtual Method java/io/File length ()J
L13: lstore_2
.stack append Long
L14: aload_0
L15: lload_2
L16: invokevirtual Method TarHeader setFileSize (J)V
L19: return
L20:
.linenumbertable
L0 129
L2 130
L9 131
L14 133
L19 134
.end linenumbertable
.end code
.end method
.method public setFileSize : (J)V
.code stack 5 locals 6
L0: lload_1
L1: bipush 8
L3: invokestatic Method java/lang/Long toString (JI)Ljava/lang/String;
L6: invokevirtual Method java/lang/String toCharArray ()[C
L9: astore_3
L10: bipush 11
L12: aload_3
L13: arraylength
L14: isub
L15: istore 4
L17: iconst_0
L18: istore 5
.stack append Object [C Integer Integer
L20: iload 5
L22: bipush 12
L24: if_icmpge L85
L27: iload 5
L29: iload 4
L31: if_icmpge L46
L34: aload_0
L35: getfield Field TarHeader fileSize [C
L38: iload 5
L40: bipush 32
L42: castore
L43: goto L79
.stack same
L46: iload 5
L48: bipush 11
L50: if_icmpne L65
L53: aload_0
L54: getfield Field TarHeader fileSize [C
L57: iload 5
L59: bipush 32
L61: castore
L62: goto L79
.stack same
L65: aload_0
L66: getfield Field TarHeader fileSize [C
L69: iload 5
L71: aload_3
L72: iload 5
L74: iload 4
L76: isub
L77: caload
L78: castore
.stack same
L79: iinc 5 1
L82: goto L20
.stack chop 1
L85: return
L86:
.linenumbertable
L0 137
L10 139
L17 141
L27 142
L34 143
L46 144
L53 145
L65 147
L79 141
L85 150
.end linenumbertable
.end code
.end method
.method public setLastModificationTime : (Ljava/io/File;)V
.code stack 3 locals 2
L0: aload_0
L1: aload_1
L2: invokevirtual Method java/io/File lastModified ()J
L5: invokevirtual Method TarHeader setLastModificationTime (J)V
L8: return
L9:
.linenumbertable
L0 154
L8 155
.end linenumbertable
.end code
.end method
.method public setLastModificationTime : (J)V
.code stack 4 locals 5
L0: lload_1
L1: ldc2_w 1000L
L4: ldiv
L5: lstore_1
L6: lload_1
L7: bipush 8
L9: invokestatic Method java/lang/Long toString (JI)Ljava/lang/String;
L12: invokevirtual Method java/lang/String toCharArray ()[C
L15: astore_3
L16: iconst_0
L17: istore 4
.stack append Object [C Integer
L19: iload 4
L21: aload_3
L22: arraylength
L23: if_icmpge L43
L26: aload_0
L27: getfield Field TarHeader lastModificationTime [C
L30: iload 4
L32: aload_3
L33: iload 4
L35: caload
L36: castore
L37: iinc 4 1
L40: goto L19
.stack chop 1
L43: aload_3
L44: arraylength
L45: bipush 12
L47: if_icmpge L76
L50: aload_3
L51: arraylength
L52: istore 4
.stack append Integer
L54: iload 4
L56: bipush 12
L58: if_icmpge L76
L61: aload_0
L62: getfield Field TarHeader lastModificationTime [C
L65: iload 4
L67: bipush 32
L69: castore
L70: iinc 4 1
L73: goto L54
.stack chop 1
L76: return
L77:
.linenumbertable
L0 158
L6 160
L16 162
L26 163
L37 162
L43 166
L50 167
L61 168
L70 167
L76 171
.end linenumbertable
.end code
.end method
.method public setLinkIndicator : (Ljava/io/File;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokevirtual Method java/io/File isDirectory ()Z
L5: invokevirtual Method TarHeader setLinkIndicator (Z)V
L8: return
L9:
.linenumbertable
L0 174
L8 175
.end linenumbertable
.end code
.end method
.method public setLinkIndicator : (Z)V
.code stack 3 locals 2
L0: iload_1
L1: ifeq L15
L4: aload_0
L5: getfield Field TarHeader linkIndicator [C
L8: iconst_0
L9: bipush 53
L11: castore
L12: goto L23
.stack same
L15: aload_0
L16: getfield Field TarHeader linkIndicator [C
L19: iconst_0
L20: bipush 48
L22: castore
.stack same
L23: return
L24:
.linenumbertable
L0 178
L4 179
L15 181
L23 183
.end linenumbertable
.end code
.end method
.method public getFileName : ()Ljava/lang/String;
.code stack 5 locals 1
L0: new java/lang/String
L3: dup
L4: aload_0
L5: getfield Field TarHeader fileName [C
L8: iconst_0
L9: aload_0
L10: getfield Field TarHeader fileNameLength I
L13: invokespecial Method java/lang/String <init> ([CII)V
L16: areturn
L17:
.linenumbertable
L0 187
.end linenumbertable
.end code
.end method
.method public getFileNameLength : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field TarHeader fileNameLength I
L4: ireturn
L5:
.linenumbertable
L0 191
.end linenumbertable
.end code
.end method
.method public getFileMode : ()[C
.code stack 1 locals 1
L0: aload_0
L1: getfield Field TarHeader fileMode [C
L4: areturn
L5:
.linenumbertable
L0 195
.end linenumbertable
.end code
.end method
.method public getFileOwnerUserID : ()[C
.code stack 1 locals 1
L0: aload_0
L1: getfield Field TarHeader fileOwnerUserID [C
L4: areturn
L5:
.linenumbertable
L0 199
.end linenumbertable
.end code
.end method
.method public getFileOwnerGroupID : ()[C
.code stack 1 locals 1
L0: aload_0
L1: getfield Field TarHeader fileOwnerGroupID [C
L4: areturn
L5:
.linenumbertable
L0 203
.end linenumbertable
.end code
.end method
.method public getFileSize : ()[C
.code stack 1 locals 1
L0: aload_0
L1: getfield Field TarHeader fileSize [C
L4: areturn
L5:
.linenumbertable
L0 207
.end linenumbertable
.end code
.end method
.method public getFileSizeInt : ()I
.code stack 3 locals 1
L0: new java/lang/String
L3: dup
L4: aload_0
L5: getfield Field TarHeader fileSize [C
L8: invokespecial Method java/lang/String <init> ([C)V
L11: invokevirtual Method java/lang/String trim ()Ljava/lang/String;
L14: bipush 8
L16: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;I)I
L19: ireturn
L20:
.linenumbertable
L0 211
.end linenumbertable
.end code
.end method
.method public getLastModificationTime : ()[C
.code stack 1 locals 1
L0: aload_0
L1: getfield Field TarHeader lastModificationTime [C
L4: areturn
L5:
.linenumbertable
L0 215
.end linenumbertable
.end code
.end method
.method public getLinkIndicator : ()[C
.code stack 1 locals 1
L0: aload_0
L1: getfield Field TarHeader linkIndicator [C
L4: areturn
L5:
.linenumbertable
L0 219
.end linenumbertable
.end code
.end method
.method public getNameOfLinkedFile : ()[C
.code stack 1 locals 1
L0: aload_0
L1: getfield Field TarHeader nameOfLinkedFile [C
L4: areturn
L5:
.linenumbertable
L0 223
.end linenumbertable
.end code
.end method
.method public getPadding : ()[C
.code stack 1 locals 1
L0: getstatic Field TarHeader padding [C
L3: areturn
L4:
.linenumbertable
L0 227
.end linenumbertable
.end code
.end method
.method public correctCheckSum : ([B)V
.code stack 5 locals 5
L0: iconst_0
L1: istore_2
L2: iconst_0
L3: istore_3
.stack append Integer Integer
L4: iload_3
L5: sipush 512
L8: if_icmpge L27
L11: iload_2
L12: aload_1
L13: iload_3
L14: baload
L15: sipush 255
L18: iand
L19: iadd
L20: istore_2
L21: iinc 3 1
L24: goto L4
.stack chop 1
L27: iload_2
L28: invokestatic Method java/lang/Integer toOctalString (I)Ljava/lang/String;
L31: astore_3
.stack append Object java/lang/String
L32: aload_3
L33: invokevirtual Method java/lang/String length ()I
L36: bipush 6
L38: if_icmpge L64
L41: new java/lang/StringBuilder
L44: dup
L45: invokespecial Method java/lang/StringBuilder <init> ()V
L48: bipush 48
L50: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L53: aload_3
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_3
L61: goto L32
.stack same
L64: aload_3
L65: invokevirtual Method java/lang/String getBytes ()[B
L68: astore 4
L70: aload 4
L72: iconst_0
L73: aload_1
L74: sipush 148
L77: bipush 6
L79: invokestatic Method java/lang/System arraycopy (Ljava/lang/Object;ILjava/lang/Object;II)V
L82: aload_1
L83: sipush 154
L86: iconst_0
L87: bastore
L88: return
L89:
.linenumbertable
L0 249
L2 250
L11 252
L21 250
L27 254
L32 255
L41 256
L64 257
L70 258
L82 259
L88 260
.end linenumbertable
.end code
.end method
.method public getBytes : ()[B
.code stack 4 locals 4
L0: new java/lang/StringBuffer
L3: dup
L4: sipush 512
L7: invokespecial Method java/lang/StringBuffer <init> (I)V
L10: astore_1
L11: aload_1
L12: aload_0
L13: getfield Field TarHeader fileName [C
L16: invokevirtual Method java/lang/StringBuffer append ([C)Ljava/lang/StringBuffer;
L19: pop
L20: aload_1
L21: aload_0
L22: getfield Field TarHeader fileMode [C
L25: invokevirtual Method java/lang/StringBuffer append ([C)Ljava/lang/StringBuffer;
L28: pop
L29: aload_1
L30: aload_0
L31: getfield Field TarHeader fileOwnerUserID [C
L34: invokevirtual Method java/lang/StringBuffer append ([C)Ljava/lang/StringBuffer;
L37: pop
L38: aload_1
L39: aload_0
L40: getfield Field TarHeader fileOwnerGroupID [C
L43: invokevirtual Method java/lang/StringBuffer append ([C)Ljava/lang/StringBuffer;
L46: pop
L47: aload_1
L48: aload_0
L49: getfield Field TarHeader fileSize [C
L52: invokevirtual Method java/lang/StringBuffer append ([C)Ljava/lang/StringBuffer;
L55: pop
L56: aload_1
L57: aload_0
L58: getfield Field TarHeader lastModificationTime [C
L61: invokevirtual Method java/lang/StringBuffer append ([C)Ljava/lang/StringBuffer;
L64: pop
L65: aload_1
L66: ldc ' '
L68: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L71: pop
L72: aload_1
L73: aload_0
L74: getfield Field TarHeader linkIndicator [C
L77: invokevirtual Method java/lang/StringBuffer append ([C)Ljava/lang/StringBuffer;
L80: pop
L81: aload_1
L82: aload_0
L83: getfield Field TarHeader nameOfLinkedFile [C
L86: invokevirtual Method java/lang/StringBuffer append ([C)Ljava/lang/StringBuffer;
L89: pop
L90: aload_1
L91: getstatic Field TarHeader padding [C
L94: invokevirtual Method java/lang/StringBuffer append ([C)Ljava/lang/StringBuffer;
L97: pop
.catch java/io/UnsupportedEncodingException from L98 to L108 using L111
L98: aload_1
L99: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String;
L102: ldc 'US-ASCII'
L104: invokevirtual Method java/lang/String getBytes (Ljava/lang/String;)[B
L107: astore_2
L108: goto L121
.stack full
locals Object TarHeader Object java/lang/StringBuffer
stack Object java/io/UnsupportedEncodingException
.end stack
L111: astore_3
L112: new java/lang/RuntimeException
L115: dup
L116: aload_3
L117: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/Throwable;)V
L120: athrow
.stack append Object [B
L121: aload_2
L122: arraylength
L123: sipush 512
L126: if_icmpeq L157
L129: new java/lang/RuntimeException
L132: dup
L133: new java/lang/StringBuilder
L136: dup
L137: invokespecial Method java/lang/StringBuilder <init> ()V
L140: ldc 'Invalid tar header size: '
L142: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L145: aload_2
L146: arraylength
L147: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L150: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L153: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V
L156: athrow
.stack same
L157: aload_0
L158: aload_2
L159: invokevirtual Method TarHeader correctCheckSum ([B)V
L162: aload_2
L163: areturn
L164:
.linenumbertable
L0 264
L11 266
L20 267
L29 268
L38 269
L47 270
L56 271
L65 272
L72 273
L81 274
L90 275
L98 279
L108 282
L111 280
L112 281
L121 283
L129 284
L157 285
L162 287
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 1 locals 0
L0: sipush 255
L3: newarray char
L5: putstatic Field TarHeader padding [C
L8: return
L9:
.linenumbertable
L0 37
.end linenumbertable
.end code
.end method
.sourcefile 'TarHeader.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 14:47:08 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.io.File;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.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 TarHeader_ESTest extends TarHeader_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
File file0 = MockFile.createTempFile("%%+Mm", "%%+Mm");
MockFile mockFile0 = new MockFile(file0, "%%+Mm");
TarHeader tarHeader0 = new TarHeader(mockFile0, mockFile0);
assertEquals(0, tarHeader0.getFileNameLength());
}
@Test(timeout = 4000)
public void test1() throws Throwable {
TarHeader tarHeader0 = new TarHeader("g?.i}6Uwb<@(D.v<", (-71622), true);
char[] charArray0 = tarHeader0.getNameOfLinkedFile();
assertEquals(100, charArray0.length);
assertEquals(17, tarHeader0.getFileNameLength());
}
@Test(timeout = 4000)
public void test2() throws Throwable {
String string0 = "";
int int0 = 10845;
TarHeader tarHeader0 = new TarHeader("", 10845, false);
byte[] byteArray0 = new byte[1];
byte byte0 = (byte)67;
// Undeclared exception!
try {
tarHeader0.correctCheckSum(byteArray0);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 1
//
verifyException("TarHeader", e);
}
}
@Test(timeout = 4000)
public void test3() throws Throwable {
TarHeader tarHeader0 = new TarHeader();
tarHeader0.getFileName();
File file0 = MockFile.createTempFile(" ", " ");
tarHeader0.setFileName(file0, file0);
tarHeader0.setFileName(file0, file0);
byte[] byteArray0 = tarHeader0.getBytes();
tarHeader0.read(byteArray0);
tarHeader0.getFileOwnerUserID();
tarHeader0.getFileOwnerUserID();
tarHeader0.getBytes();
tarHeader0.getFileName();
tarHeader0.setFileName(file0, file0);
tarHeader0.getFileMode();
tarHeader0.getNameOfLinkedFile();
tarHeader0.getFileMode();
String string0 = tarHeader0.getFileName();
assertEquals("", string0);
tarHeader0.setFileOwnerUserID();
tarHeader0.getNameOfLinkedFile();
tarHeader0.getFileNameLength();
tarHeader0.setLinkIndicator(false);
tarHeader0.read(byteArray0);
tarHeader0.setLastModificationTime(file0);
tarHeader0.getNameOfLinkedFile();
tarHeader0.setFileOwnerUserID();
tarHeader0.getPadding();
tarHeader0.setFileSize(file0);
assertEquals(0, tarHeader0.getFileNameLength());
}
@Test(timeout = 4000)
public void test4() throws Throwable {
String string0 = "Hf Vf";
TarHeader tarHeader0 = new TarHeader("Hf Vf", 0, true);
tarHeader0.setFileSize((long) 0);
String string1 = "";
String string2 = "1W$<6dSsN";
MockFile.createTempFile("1W$<6dSsN", " 777 ");
byte[] byteArray0 = new byte[4];
byteArray0[0] = (byte)47;
byteArray0[1] = (byte)0;
byteArray0[2] = (byte)0;
byteArray0[3] = (byte)85;
// Undeclared exception!
try {
tarHeader0.correctCheckSum(byteArray0);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 4
//
verifyException("TarHeader", e);
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 14:47: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 TarHeader_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "TarHeader";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp1bw45rtz");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TarHeader_ESTest_scaffolding.class.getClassLoader() ,
"TarHeader"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TarHeader_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"TarHeader"
);
}
}
| 1,000 |
CondTest5 | public class CondTest5 {
public boolean test(boolean a, boolean b, boolean c) {
System.out.println((b ? c : a) || (c ? a : b));
return c;
}
}
| .version 52 0
.class public super CondTest5
.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 test : (ZZZ)Z
.code stack 2 locals 4
L0: getstatic Field java/lang/System out Ljava/io/PrintStream;
L3: iload_2
L4: ifeq L14
L7: iload_3
L8: ifeq L18
L11: goto L33
.stack stack_1 Object java/io/PrintStream
L14: iload_1
L15: ifne L33
.stack stack_1 Object java/io/PrintStream
L18: iload_3
L19: ifeq L29
L22: iload_1
L23: ifeq L37
L26: goto L33
.stack stack_1 Object java/io/PrintStream
L29: iload_2
L30: ifeq L37
.stack stack_1 Object java/io/PrintStream
L33: iconst_1
L34: goto L38
.stack stack_1 Object java/io/PrintStream
L37: iconst_0
.stack full
locals Object CondTest5 Integer Integer Integer
stack Object java/io/PrintStream Integer
.end stack
L38: invokevirtual Method java/io/PrintStream println (Z)V
L41: iload_3
L42: ireturn
L43:
.linenumbertable
L0 6
L41 7
.end linenumbertable
.end code
.end method
.sourcefile 'CondTest5.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 20:47: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 CondTest5_ESTest extends CondTest5_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
CondTest5 condTest5_0 = new CondTest5();
boolean boolean0 = condTest5_0.test(false, false, false);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
CondTest5 condTest5_0 = new CondTest5();
boolean boolean0 = condTest5_0.test(true, false, false);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
CondTest5 condTest5_0 = new CondTest5();
boolean boolean0 = condTest5_0.test(true, true, false);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
CondTest5 condTest5_0 = new CondTest5();
boolean boolean0 = condTest5_0.test(false, true, true);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
CondTest5 condTest5_0 = new CondTest5();
boolean boolean0 = condTest5_0.test(false, false, true);
assertTrue(boolean0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 20:47: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 CondTest5_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "CondTest5";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpc1zv1kdh");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CondTest5_ESTest_scaffolding.class.getClassLoader() ,
"CondTest5"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CondTest5_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"CondTest5"
);
}
}
| 1,001 |
Paint | /**
* Class Paint.
*
* @autor: bildovich
* @since: 17.02.2017
*/
public class Paint {
/**
* Метод выводящий пирамиду из сомволов '*'.
*
* @param h высота пирамиды
* @return строка содержащая пирамиду
*/
public String piramid(int h) {
StringBuilder sb = new StringBuilder();
h = h * 2;
if (h % 2 == 0) {
h++;
}
for (int i = 0; i < h; i += 2) {
for (int j = 0; j < (h - 1) / 2 - (i / 2); j++) {
sb.append(" ");
}
for (int j = 0; j < i + 1; j++) {
sb.append('*');
}
sb.append("\n");
}
return sb.toString();
}
}
| .version 52 0
.class public super Paint
.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 piramid : (I)Ljava/lang/String;
.code stack 4 locals 5
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: astore_2
L8: iload_1
L9: iconst_2
L10: imul
L11: istore_1
L12: iload_1
L13: iconst_2
L14: irem
L15: ifne L21
L18: iinc 1 1
.stack append Object java/lang/StringBuilder
L21: iconst_0
L22: istore_3
.stack append Integer
L23: iload_3
L24: iload_1
L25: if_icmpge L95
L28: iconst_0
L29: istore 4
.stack append Integer
L31: iload 4
L33: iload_1
L34: iconst_1
L35: isub
L36: iconst_2
L37: idiv
L38: iload_3
L39: iconst_2
L40: idiv
L41: isub
L42: if_icmpge L58
L45: aload_2
L46: ldc ' '
L48: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L51: pop
L52: iinc 4 1
L55: goto L31
.stack chop 1
L58: iconst_0
L59: istore 4
.stack append Integer
L61: iload 4
L63: iload_3
L64: iconst_1
L65: iadd
L66: if_icmpge L82
L69: aload_2
L70: bipush 42
L72: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L75: pop
L76: iinc 4 1
L79: goto L61
.stack chop 1
L82: aload_2
L83: ldc '\n'
L85: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L88: pop
L89: iinc 3 2
L92: goto L23
.stack chop 1
L95: aload_2
L96: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L99: areturn
L100:
.linenumbertable
L0 18
L8 19
L12 20
L18 21
L21 23
L28 24
L45 25
L52 24
L58 27
L69 28
L76 27
L82 30
L89 23
L95 32
.end linenumbertable
.end code
.end method
.sourcefile 'Paint.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 21:25:08 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 Paint_ESTest extends Paint_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Paint paint0 = new Paint();
paint0.piramid((-54011));
paint0.piramid((-41384));
paint0.piramid((-1));
// Undeclared exception!
paint0.piramid(56643);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 21:25: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 Paint_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Paint";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpeskt6m95");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Paint_ESTest_scaffolding.class.getClassLoader() ,
"Paint"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Paint_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Paint"
);
}
}
| 1,002 |
Giocatore | import java.awt.Color;
/**
* Classe che rappresenta un Giocatore della Dama Italiana
*
* @author molivato
*/
public class Giocatore {
private String nome;
private int numPezzi;
private Color colore;
/** Funzione costruttore */
public Giocatore() {
nome = "Sconosciuto";
numPezzi = 0;
colore = Color.BLACK;
}
/**
* Funzione costruttore a parametri
*
* @param name nome del Giocatore
* @param np numero pezzi del Giocatore
* @param col colore dei pezzi del Giocatore
*/
public Giocatore(String name, int np, Color col) {
nome = name;
numPezzi = np;
colore = col;
}
/**
* Funzione costruttore di copia profonda
*
* @param g Giocatore da copiare in profondita'
*/
public Giocatore(Giocatore g) {
nome = new String(g.getNome());
numPezzi = g.getNumPezzi();
colore = g.getColore();
}
/** Funzione che decrementa il numero di pezzi del giocatore */
public void decreaseNumPezzi() {
--numPezzi;
}
/**
* Funzione che setta il nome del gicatore
*
* @param name nuovo nome del Giocatore
*/
public void setNome(String name) {
nome = name;
}
/** Funzione che restituisce il nome */
public String getNome() {
return nome;
}
/** Funzione che restituisce il numero di pezzi */
public int getNumPezzi() {
return numPezzi;
}
/** Funzione che restituisce il colore */
public Color getColore() {
return colore;
}
/**
* Funzione che verifica l'uguaglianza tra due giocatori
*
* @param g Giocatore da comparare
*/
public boolean equals(Giocatore g) {
return colore.equals(g.getColore()) && numPezzi == g.getNumPezzi() && nome.equals(g.getNome());
}
public String toString() {
return "Nome: " + nome + " NumeroPezzi: " + numPezzi + " Colore: " + colore;
}
}
| .version 52 0
.class public super Giocatore
.super java/lang/Object
.field private nome Ljava/lang/String;
.field private numPezzi I
.field private colore Ljava/awt/Color;
.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 'Sconosciuto'
L7: putfield Field Giocatore nome Ljava/lang/String;
L10: aload_0
L11: iconst_0
L12: putfield Field Giocatore numPezzi I
L15: aload_0
L16: getstatic Field java/awt/Color BLACK Ljava/awt/Color;
L19: putfield Field Giocatore colore Ljava/awt/Color;
L22: return
L23:
.linenumbertable
L0 18
L4 19
L10 20
L15 21
L22 22
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;ILjava/awt/Color;)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 Giocatore nome Ljava/lang/String;
L9: aload_0
L10: iload_2
L11: putfield Field Giocatore numPezzi I
L14: aload_0
L15: aload_3
L16: putfield Field Giocatore colore Ljava/awt/Color;
L19: return
L20:
.linenumbertable
L0 30
L4 31
L9 32
L14 33
L19 34
.end linenumbertable
.end code
.end method
.method public <init> : (LGiocatore;)V
.code stack 4 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: new java/lang/String
L8: dup
L9: aload_1
L10: invokevirtual Method Giocatore getNome ()Ljava/lang/String;
L13: invokespecial Method java/lang/String <init> (Ljava/lang/String;)V
L16: putfield Field Giocatore nome Ljava/lang/String;
L19: aload_0
L20: aload_1
L21: invokevirtual Method Giocatore getNumPezzi ()I
L24: putfield Field Giocatore numPezzi I
L27: aload_0
L28: aload_1
L29: invokevirtual Method Giocatore getColore ()Ljava/awt/Color;
L32: putfield Field Giocatore colore Ljava/awt/Color;
L35: return
L36:
.linenumbertable
L0 40
L4 41
L19 42
L27 43
L35 44
.end linenumbertable
.end code
.end method
.method public decreaseNumPezzi : ()V
.code stack 3 locals 1
L0: aload_0
L1: dup
L2: getfield Field Giocatore numPezzi I
L5: iconst_1
L6: isub
L7: putfield Field Giocatore numPezzi I
L10: return
L11:
.linenumbertable
L0 50
L10 51
.end linenumbertable
.end code
.end method
.method public setNome : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Giocatore nome Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 58
L5 59
.end linenumbertable
.end code
.end method
.method public getNome : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Giocatore nome Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 65
.end linenumbertable
.end code
.end method
.method public getNumPezzi : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Giocatore numPezzi I
L4: ireturn
L5:
.linenumbertable
L0 72
.end linenumbertable
.end code
.end method
.method public getColore : ()Ljava/awt/Color;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Giocatore colore Ljava/awt/Color;
L4: areturn
L5:
.linenumbertable
L0 79
.end linenumbertable
.end code
.end method
.method public equals : (LGiocatore;)Z
.code stack 2 locals 2
L0: aload_0
L1: getfield Field Giocatore colore Ljava/awt/Color;
L4: aload_1
L5: invokevirtual Method Giocatore getColore ()Ljava/awt/Color;
L8: invokevirtual Method java/awt/Color equals (Ljava/lang/Object;)Z
L11: ifeq L43
L14: aload_0
L15: getfield Field Giocatore numPezzi I
L18: aload_1
L19: invokevirtual Method Giocatore getNumPezzi ()I
L22: if_icmpne L43
L25: aload_0
L26: getfield Field Giocatore nome Ljava/lang/String;
L29: aload_1
L30: invokevirtual Method Giocatore getNome ()Ljava/lang/String;
L33: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L36: ifeq L43
L39: iconst_1
L40: goto L44
.stack same
L43: iconst_0
.stack stack_1 Integer
L44: ireturn
L45:
.linenumbertable
L0 87
.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 'Nome: '
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field Giocatore nome Ljava/lang/String;
L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L19: ldc ' NumeroPezzi: '
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: aload_0
L25: getfield Field Giocatore numPezzi I
L28: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L31: ldc ' Colore: '
L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L36: aload_0
L37: getfield Field Giocatore colore Ljava/awt/Color;
L40: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L43: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L46: areturn
L47:
.linenumbertable
L0 91
.end linenumbertable
.end code
.end method
.sourcefile 'Giocatore.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 16:39:22 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.awt.Color;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Giocatore_ESTest extends Giocatore_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
Giocatore giocatore0 = new Giocatore();
Giocatore giocatore1 = new Giocatore(giocatore0);
giocatore1.decreaseNumPezzi();
boolean boolean0 = giocatore0.equals(giocatore1);
assertEquals((-1), giocatore1.getNumPezzi());
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
Color color0 = Color.RED;
Giocatore giocatore0 = new Giocatore("c2X", 29264, color0);
int int0 = giocatore0.getNumPezzi();
assertEquals(29264, int0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
Giocatore giocatore0 = new Giocatore();
assertEquals("Sconosciuto", giocatore0.getNome());
giocatore0.setNome((String) null);
giocatore0.getNome();
assertEquals(0, giocatore0.getNumPezzi());
}
@Test(timeout = 4000)
public void test03() throws Throwable {
Color color0 = Color.pink;
Giocatore giocatore0 = new Giocatore("", 0, color0);
giocatore0.getNome();
assertEquals(0, giocatore0.getNumPezzi());
}
@Test(timeout = 4000)
public void test04() throws Throwable {
Giocatore giocatore0 = new Giocatore((String) null, 1, (Color) null);
giocatore0.getColore();
assertEquals(1, giocatore0.getNumPezzi());
}
@Test(timeout = 4000)
public void test05() throws Throwable {
Color color0 = Color.pink;
Giocatore giocatore0 = new Giocatore("", 0, color0);
giocatore0.getColore();
assertEquals(0, giocatore0.getNumPezzi());
}
@Test(timeout = 4000)
public void test06() throws Throwable {
Giocatore giocatore0 = new Giocatore();
String string0 = giocatore0.getNome();
assertEquals(0, giocatore0.getNumPezzi());
assertEquals("Sconosciuto", string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
Giocatore giocatore0 = new Giocatore();
giocatore0.getColore();
assertEquals("Sconosciuto", giocatore0.getNome());
assertEquals(0, giocatore0.getNumPezzi());
}
@Test(timeout = 4000)
public void test08() throws Throwable {
Giocatore giocatore0 = new Giocatore();
int int0 = giocatore0.getNumPezzi();
assertEquals("Sconosciuto", giocatore0.getNome());
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
Giocatore giocatore0 = new Giocatore();
assertEquals("Sconosciuto", giocatore0.getNome());
giocatore0.setNome("yk^M/3");
Giocatore giocatore1 = new Giocatore();
boolean boolean0 = giocatore0.equals(giocatore1);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
Giocatore giocatore0 = new Giocatore();
Giocatore giocatore1 = new Giocatore(giocatore0);
giocatore1.decreaseNumPezzi();
boolean boolean0 = giocatore1.equals(giocatore0);
assertEquals((-1), giocatore1.getNumPezzi());
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
Giocatore giocatore0 = new Giocatore();
boolean boolean0 = giocatore0.equals(giocatore0);
assertTrue(boolean0);
assertEquals("Sconosciuto", giocatore0.getNome());
assertEquals(0, giocatore0.getNumPezzi());
}
@Test(timeout = 4000)
public void test12() throws Throwable {
Color color0 = Color.RED;
Giocatore giocatore0 = new Giocatore("c2X", 29264, color0);
Giocatore giocatore1 = new Giocatore();
boolean boolean0 = giocatore0.equals(giocatore1);
assertFalse(boolean0);
assertEquals(0, giocatore1.getNumPezzi());
assertEquals("Sconosciuto", giocatore1.getNome());
assertEquals(29264, giocatore0.getNumPezzi());
}
@Test(timeout = 4000)
public void test13() throws Throwable {
Giocatore giocatore0 = new Giocatore();
giocatore0.decreaseNumPezzi();
int int0 = giocatore0.getNumPezzi();
assertEquals((-1), int0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
Color color0 = Color.RED;
Giocatore giocatore0 = new Giocatore("", (-21243), color0);
String string0 = giocatore0.toString();
assertEquals("Nome: NumeroPezzi: -21243 Colore: java.awt.Color[r=255,g=0,b=0]", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 16:39:22 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Giocatore_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Giocatore";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmprmg3xnjs");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Giocatore_ESTest_scaffolding.class.getClassLoader() ,
"Giocatore"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Giocatore_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Giocatore"
);
}
}
| 1,003 |
Aspect | //
// このファイルは、JavaTM Architecture for XML Binding(JAXB) Reference
// Implementation、v2.2.8-b130911.1802によって生成されました
// <a href="http://java.sun.com/xml/jaxb">http://java.sun.com/xml/jaxb</a>を参照してください
// ソース・スキーマの再コンパイル時にこのファイルの変更は失われます。
// 生成日: 2017.04.16 時間 05:20:24 PM JST
//
/**
* Aspect complex typeのJavaクラス。
*
* <p>次のスキーマ・フラグメントは、このクラス内に含まれる予期されるコンテンツを指定します。
*
* <pre>
* <complexType name="Aspect">
* <complexContent>
* <restriction base="{http://www.w3.org/2001/XMLSchema}anyType">
* <sequence>
* </sequence>
* <attribute name="name" use="required" type="{http://www.w3.org/2001/XMLSchema}normalizedString" />
* <attribute name="advice" use="required" type="{http://www.java_conf.gr.jp/ke/namespace/foca}ClassName" />
* </restriction>
* </complexContent>
* </complexType>
* </pre>
*/
public class Aspect {
protected String name;
protected String advice;
/**
* nameプロパティの値を取得します。
*
* @return possible object is {@link String }
*/
public String getName() {
return name;
}
/**
* nameプロパティの値を設定します。
*
* @param value allowed object is {@link String }
*/
public void setName(String value) {
this.name = value;
}
/**
* adviceプロパティの値を取得します。
*
* @return possible object is {@link String }
*/
public String getAdvice() {
return advice;
}
/**
* adviceプロパティの値を設定します。
*
* @param value allowed object is {@link String }
*/
public void setAdvice(String value) {
this.advice = value;
}
}
| .version 52 0
.class public super Aspect
.super java/lang/Object
.field protected name Ljava/lang/String;
.field protected advice Ljava/lang/String;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 31
.end linenumbertable
.end code
.end method
.method public getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Aspect name Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 45
.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 Aspect name Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 57
L5 58
.end linenumbertable
.end code
.end method
.method public getAdvice : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Aspect advice Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 69
.end linenumbertable
.end code
.end method
.method public setAdvice : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Aspect advice Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 81
L5 82
.end linenumbertable
.end code
.end method
.sourcefile 'Aspect.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 21:18: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 Aspect_ESTest extends Aspect_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Aspect aspect0 = new Aspect();
aspect0.setName("JX8,iB485OLZ[[");
String string0 = aspect0.getName();
assertEquals("JX8,iB485OLZ[[", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Aspect aspect0 = new Aspect();
aspect0.setAdvice("&g.i-.ae'B");
String string0 = aspect0.getAdvice();
assertEquals("&g.i-.ae'B", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Aspect aspect0 = new Aspect();
aspect0.setAdvice("");
String string0 = aspect0.getAdvice();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Aspect aspect0 = new Aspect();
String string0 = aspect0.getAdvice();
assertNull(string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Aspect aspect0 = new Aspect();
aspect0.setName("");
String string0 = aspect0.getName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Aspect aspect0 = new Aspect();
String string0 = aspect0.getName();
assertNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 21:18: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 Aspect_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Aspect";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpkmrb9cyl");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Aspect_ESTest_scaffolding.class.getClassLoader() ,
"Aspect"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Aspect_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Aspect"
);
}
}
| 1,004 |
BasqueName | import java.io.Serializable;
import java.util.Objects;
public class BasqueName implements Serializable {
private final int id;
private final String name;
public BasqueName(int id, String name) {
this.id = id;
this.name = name;
}
public int getId() {
return id;
}
public String getName() {
return this.name;
}
@Override
public boolean equals(Object o) {
return Objects.deepEquals(o, this);
}
@Override
public int hashCode() {
return Objects.hash(id, name);
}
}
| .version 52 0
.class public super BasqueName
.super java/lang/Object
.implements java/io/Serializable
.field private final id I
.field private final name Ljava/lang/String;
.method public <init> : (ILjava/lang/String;)V
.code stack 2 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iload_1
L6: putfield Field BasqueName id I
L9: aload_0
L10: aload_2
L11: putfield Field BasqueName name Ljava/lang/String;
L14: return
L15:
.linenumbertable
L0 11
L4 12
L9 13
L14 14
.end linenumbertable
.end code
.end method
.method public getId : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BasqueName id I
L4: ireturn
L5:
.linenumbertable
L0 17
.end linenumbertable
.end code
.end method
.method public getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BasqueName name Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 21
.end linenumbertable
.end code
.end method
.method public equals : (Ljava/lang/Object;)Z
.code stack 2 locals 2
L0: aload_1
L1: aload_0
L2: invokestatic Method java/util/Objects deepEquals (Ljava/lang/Object;Ljava/lang/Object;)Z
L5: ireturn
L6:
.linenumbertable
L0 26
.end linenumbertable
.end code
.end method
.method public hashCode : ()I
.code stack 4 locals 1
L0: iconst_2
L1: anewarray java/lang/Object
L4: dup
L5: iconst_0
L6: aload_0
L7: getfield Field BasqueName id I
L10: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L13: aastore
L14: dup
L15: iconst_1
L16: aload_0
L17: getfield Field BasqueName name Ljava/lang/String;
L20: aastore
L21: invokestatic Method java/util/Objects hash ([Ljava/lang/Object;)I
L24: ireturn
L25:
.linenumbertable
L0 31
.end linenumbertable
.end code
.end method
.sourcefile 'BasqueName.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 12:11:48 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class BasqueName_ESTest extends BasqueName_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
BasqueName basqueName0 = new BasqueName((-1), "");
basqueName0.hashCode();
basqueName0.hashCode();
int int0 = basqueName0.getId();
assertEquals((-1), int0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
BasqueName basqueName0 = new BasqueName(12032, "LwIEUHZ>2%");
basqueName0.getName();
assertEquals(12032, basqueName0.getId());
}
@Test(timeout = 4000)
public void test2() throws Throwable {
BasqueName basqueName0 = new BasqueName(14555, "");
basqueName0.getName();
assertEquals(14555, basqueName0.getId());
}
@Test(timeout = 4000)
public void test3() throws Throwable {
BasqueName basqueName0 = new BasqueName(0, "Wmn]6sz{w");
int int0 = basqueName0.getId();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
BasqueName basqueName0 = new BasqueName(12032, "LwIEUHZ>2%");
basqueName0.equals(basqueName0);
assertEquals(12032, basqueName0.getId());
}
@Test(timeout = 4000)
public void test5() throws Throwable {
BasqueName basqueName0 = new BasqueName(12032, "LwIEUHZ>2%");
int int0 = basqueName0.getId();
assertEquals(12032, int0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
BasqueName basqueName0 = new BasqueName(12032, "LwIEUHZ>2%");
Object object0 = new Object();
basqueName0.equals(object0);
assertEquals(12032, basqueName0.getId());
}
@Test(timeout = 4000)
public void test7() throws Throwable {
BasqueName basqueName0 = new BasqueName((-16562), (String) null);
basqueName0.getName();
assertEquals((-16562), basqueName0.getId());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 12:11:48 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class BasqueName_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "BasqueName";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpp1c0uha8");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BasqueName_ESTest_scaffolding.class.getClassLoader() ,
"BasqueName"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BasqueName_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"BasqueName"
);
}
}
| 1,005 |
NotifyThread | public class NotifyThread extends Thread {
private Object lock;
public NotifyThread(Object lock) {
super();
this.lock = lock;
}
@Override
public void run() {
synchronized (lock) {
System.out.print("before notify,");
lock.notify();
System.out.print("after notify,");
}
}
}
| .version 52 0
.class public super NotifyThread
.super java/lang/Thread
.field private lock Ljava/lang/Object;
.method public <init> : (Ljava/lang/Object;)V
.code stack 2 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Thread <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field NotifyThread lock Ljava/lang/Object;
L9: return
L10:
.linenumbertable
L0 6
L4 7
L9 8
.end linenumbertable
.end code
.end method
.method public run : ()V
.code stack 2 locals 3
L0: aload_0
L1: getfield Field NotifyThread lock Ljava/lang/Object;
L4: dup
L5: astore_1
L6: monitorenter
.catch [0] from L7 to L32 using L35
L7: getstatic Field java/lang/System out Ljava/io/PrintStream;
L10: ldc 'before notify,'
L12: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V
L15: aload_0
L16: getfield Field NotifyThread lock Ljava/lang/Object;
L19: invokevirtual Method java/lang/Object notify ()V
L22: getstatic Field java/lang/System out Ljava/io/PrintStream;
L25: ldc 'after notify,'
L27: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V
L30: aload_1
L31: monitorexit
L32: goto L40
.catch [0] from L35 to L38 using L35
.stack full
locals Object NotifyThread Object java/lang/Object
stack Object java/lang/Throwable
.end stack
L35: astore_2
L36: aload_1
L37: monitorexit
L38: aload_2
L39: athrow
.stack chop 1
L40: return
L41:
.linenumbertable
L0 11
L7 12
L15 13
L22 14
L30 15
L40 16
.end linenumbertable
.end code
.end method
.sourcefile 'NotifyThread.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 23:51: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 NotifyThread_ESTest extends NotifyThread_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Object object0 = new Object();
NotifyThread notifyThread0 = new NotifyThread(object0);
notifyThread0.run();
// // Unstable assertion: assertFalse(notifyThread0.isDaemon());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 23:51: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 NotifyThread_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "NotifyThread";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp4idci85n");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(NotifyThread_ESTest_scaffolding.class.getClassLoader() ,
"NotifyThread"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(NotifyThread_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"NotifyThread"
);
}
}
| 1,006 |
IpList | import java.util.List;
/**
* 微信服务器ip列表
*
* @author Administrator
*/
public class IpList {
/** ip列表 */
private List<String> ipList;
public List<String> getIpList() {
return ipList;
}
public void setIpList(List<String> ipList) {
this.ipList = ipList;
}
}
| .version 52 0
.class public super IpList
.super java/lang/Object
.field private ipList 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 10
.end linenumbertable
.end code
.end method
.method public getIpList : ()Ljava/util/List;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field IpList ipList Ljava/util/List;
L4: areturn
L5:
.linenumbertable
L0 17
.end linenumbertable
.end code
.signature ()Ljava/util/List<Ljava/lang/String;>;
.end method
.method public setIpList : (Ljava/util/List;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field IpList ipList Ljava/util/List;
L5: return
L6:
.linenumbertable
L0 21
L5 22
.end linenumbertable
.end code
.signature (Ljava/util/List<Ljava/lang/String;>;)V
.end method
.sourcefile 'IpList.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 20:54:15 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.util.LinkedList;
import java.util.List;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class IpList_ESTest extends IpList_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
IpList ipList0 = new IpList();
LinkedList<String> linkedList0 = new LinkedList<String>();
ipList0.setIpList(linkedList0);
List<String> list0 = ipList0.getIpList();
assertEquals(0, list0.size());
}
@Test(timeout = 4000)
public void test1() throws Throwable {
IpList ipList0 = new IpList();
LinkedList<String> linkedList0 = new LinkedList<String>();
linkedList0.add("f*S]F<$j`-gvnJA0");
ipList0.setIpList(linkedList0);
List<String> list0 = ipList0.getIpList();
assertFalse(list0.isEmpty());
}
@Test(timeout = 4000)
public void test2() throws Throwable {
IpList ipList0 = new IpList();
List<String> list0 = ipList0.getIpList();
assertNull(list0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 20:54: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 IpList_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "IpList";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpjqxfbbjr");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(IpList_ESTest_scaffolding.class.getClassLoader() ,
"IpList"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(IpList_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"IpList"
);
}
}
| 1,007 |
Student | /*
ѧÉúÀàºÍÀÏʦ¡£¶¨ÒåÁ½¸ö¹¦ÄÜ(³Ô·¹£¬Ë¯¾õ)
*/
// ѧÉúÀà
class Student {
private String name;
private int age;
public Student() {}
public Student(String name, int age) {
this.name = name;
this.age = age;
}
public void setName(String name) {
this.name = name;
}
public String getName() {
return name;
}
public void setAge(int age) {
this.age = age;
}
public int getAge() {
return age;
}
public void eat() {
System.out.println("³Ô·¹");
}
public void sleep() {
System.out.println("˯¾õ");
}
}
// ÀÏʦÀà
class Teacher {
private String name;
private int age;
public Teacher() {}
public Teacher(String name, int age) {
this.name = name;
this.age = age;
}
public void setName(String name) {
this.name = name;
}
public String getName() {
return name;
}
public void setAge(int age) {
this.age = age;
}
public int getAge() {
return age;
}
public void eat() {
System.out.println("³Ô·¹");
}
public void sleep() {
System.out.println("˯¾õ");
}
}
// ²âÊÔÀà
class Test {
public static void main(String[] args) {
// ²âÊÔѧÉú
Student s = new Student();
s.setName("ÁÖÇàϼ");
s.setAge(28);
System.out.println(s.getName() + "---" + s.getAge());
s.eat();
s.sleep();
System.out.println("-------------------------");
Student s2 = new Student("ÕÅÂüÓñ", 18);
System.out.println(s2.getName() + "---" + s2.getAge());
s2.eat();
s2.sleep();
System.out.println("-------------------------");
// ²âÊÔÀÏʦ
Teacher t = new Teacher();
t.setName("·çÇåÑï");
t.setAge(31);
System.out.println(t.getName() + "---" + t.getAge());
t.eat();
t.sleep();
System.out.println("-------------------------");
Teacher t2 = new Teacher("Áîºü³å", 21);
System.out.println(t2.getName() + "---" + t2.getAge());
t2.eat();
t2.sleep();
}
}
| .version 52 0
.class super Student
.super java/lang/Object
.field private name Ljava/lang/String;
.field private age 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 9
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;I)V
.code stack 2 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field Student name Ljava/lang/String;
L9: aload_0
L10: iload_2
L11: putfield Field Student age I
L14: return
L15:
.linenumbertable
L0 11
L4 12
L9 13
L14 14
.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 Student name Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 17
L5 18
.end linenumbertable
.end code
.end method
.method public getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Student name Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 21
.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 Student age I
L5: return
L6:
.linenumbertable
L0 25
L5 26
.end linenumbertable
.end code
.end method
.method public getAge : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Student age I
L4: ireturn
L5:
.linenumbertable
L0 29
.end linenumbertable
.end code
.end method
.method public eat : ()V
.code stack 2 locals 1
L0: getstatic Field java/lang/System out Ljava/io/PrintStream;
L3: ldc '³Ô·¹'
L5: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L8: return
L9:
.linenumbertable
L0 33
L8 34
.end linenumbertable
.end code
.end method
.method public sleep : ()V
.code stack 2 locals 1
L0: getstatic Field java/lang/System out Ljava/io/PrintStream;
L3: ldc '˯¾õ'
L5: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L8: return
L9:
.linenumbertable
L0 37
L8 38
.end linenumbertable
.end code
.end method
.sourcefile 'Student.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 11:47:42 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Student_ESTest extends Student_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Student student0 = new Student();
student0.setName("");
String string0 = student0.getName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Student student0 = new Student();
student0.setAge((-40591));
int int0 = student0.getAge();
assertEquals((-40591), int0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Student student0 = new Student();
student0.eat();
assertEquals(0, student0.getAge());
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Student student0 = new Student("", 1);
int int0 = student0.getAge();
assertEquals(1, int0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Student student0 = new Student();
int int0 = student0.getAge();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Student student0 = new Student();
String string0 = student0.getName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
Student student0 = new Student();
student0.sleep();
assertEquals(0, student0.getAge());
}
@Test(timeout = 4000)
public void test7() throws Throwable {
Student student0 = new Student();
student0.setName("3J|Ph[!8x+aW]fY@GA");
String string0 = student0.getName();
assertEquals("3J|Ph[!8x+aW]fY@GA", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 11:47: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 Student_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Student";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp51bufb1t");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Student_ESTest_scaffolding.class.getClassLoader() ,
"Student"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Student_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Student"
);
}
}
| 1,008 |
SubstanceException | /*
* This file is part of LAIS (LaSEEB Agent Interaction Simulator).
*
* LAIS 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.
*
* LAIS 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 LAIS. If not, see <http://www.gnu.org/licenses/>.
*/
/**
* Exception thrown when errors occur in the substance context.
*
* @author Nuno Fachada
*/
@SuppressWarnings("serial")
public class SubstanceException extends Exception {
/**
* Instantiates a SubstanceException with a message and a cause.
*
* @param message Information about what caused the exception.
* @param cause Original cause of this exception (if it exists).
*/
public SubstanceException(String message, Throwable cause) {
super(message, cause);
}
/**
* Instantiates a SubstanceException with a message.
*
* @param message Information about what caused the exception.
*/
public SubstanceException(String message) {
super(message);
}
}
| .version 52 0
.class public super SubstanceException
.super java/lang/Exception
.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 35
L6 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/lang/Exception <init> (Ljava/lang/String;)V
L5: return
L6:
.linenumbertable
L0 44
L5 45
.end linenumbertable
.end code
.end method
.sourcefile 'SubstanceException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 02:29:07 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 SubstanceException_ESTest extends SubstanceException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
MockThrowable mockThrowable0 = new MockThrowable("^Bl7,IVeu'Z783c");
SubstanceException substanceException0 = new SubstanceException("9-7X", mockThrowable0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
SubstanceException substanceException0 = new SubstanceException("^Bl7,IVeu'Z783c");
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 02:29: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 SubstanceException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "SubstanceException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpb8i4pe_7");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SubstanceException_ESTest_scaffolding.class.getClassLoader() ,
"SubstanceException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SubstanceException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"SubstanceException"
);
}
}
| 1,009 |
StringCount | import java.util.HashMap;
import java.util.Iterator;
import java.util.Map;
public class StringCount {
private HashMap map;
private int counter;
public StringCount() {
map = new HashMap<String, Integer>();
}
public void hashInsert(String string) {
if (map.containsKey(string)) { // 判断指定的Key是否存在
counter = (Integer) map.get(string); // 根据key取得value
map.put(string, ++counter);
} else {
map.put(string, 1);
}
}
public HashMap getHashMap() {
return map;
}
public static void main(String[] args) {
String[] parts = {"宝马X5/dese", "宝马X5/dese", "奥迪A8"};
StringCount stringCount = new StringCount();
for (String s : parts) {
stringCount.hashInsert(s);
}
Map map = stringCount.getHashMap();
Iterator it = map.keySet().iterator();
String temp;
while (it.hasNext()) {
temp = (String) it.next();
System.out.println(temp + "出现了" + map.get(temp) + "次");
}
System.out.println(map);
}
}
| .version 52 0
.class public super StringCount
.super java/lang/Object
.field private map Ljava/util/HashMap;
.field private counter I
.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 StringCount map Ljava/util/HashMap;
L15: return
L16:
.linenumbertable
L0 11
L4 12
L15 13
.end linenumbertable
.end code
.end method
.method public hashInsert : (Ljava/lang/String;)V
.code stack 5 locals 2
L0: aload_0
L1: getfield Field StringCount map Ljava/util/HashMap;
L4: aload_1
L5: invokevirtual Method java/util/HashMap containsKey (Ljava/lang/Object;)Z
L8: ifeq L55
L11: aload_0
L12: aload_0
L13: getfield Field StringCount map Ljava/util/HashMap;
L16: aload_1
L17: invokevirtual Method java/util/HashMap get (Ljava/lang/Object;)Ljava/lang/Object;
L20: checkcast java/lang/Integer
L23: invokevirtual Method java/lang/Integer intValue ()I
L26: putfield Field StringCount counter I
L29: aload_0
L30: getfield Field StringCount map Ljava/util/HashMap;
L33: aload_1
L34: aload_0
L35: dup
L36: getfield Field StringCount counter I
L39: iconst_1
L40: iadd
L41: dup_x1
L42: putfield Field StringCount counter I
L45: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L48: invokevirtual Method java/util/HashMap put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object;
L51: pop
L52: goto L68
.stack same
L55: aload_0
L56: getfield Field StringCount map Ljava/util/HashMap;
L59: aload_1
L60: iconst_1
L61: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L64: invokevirtual Method java/util/HashMap put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object;
L67: pop
.stack same
L68: return
L69:
.linenumbertable
L0 15
L11 16
L29 17
L55 19
L68 21
.end linenumbertable
.end code
.end method
.method public getHashMap : ()Ljava/util/HashMap;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field StringCount map Ljava/util/HashMap;
L4: areturn
L5:
.linenumbertable
L0 23
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 4 locals 7
L0: iconst_3
L1: anewarray java/lang/String
L4: dup
L5: iconst_0
L6: ldc '宝马X5/dese'
L8: aastore
L9: dup
L10: iconst_1
L11: ldc '宝马X5/dese'
L13: aastore
L14: dup
L15: iconst_2
L16: ldc '奥迪A8'
L18: aastore
L19: astore_1
L20: new StringCount
L23: dup
L24: invokespecial Method StringCount <init> ()V
L27: astore_2
L28: aload_1
L29: astore_3
L30: aload_3
L31: arraylength
L32: istore 4
L34: iconst_0
L35: istore 5
.stack full
locals Object [Ljava/lang/String; Object [Ljava/lang/String; Object StringCount Object [Ljava/lang/String; Integer Integer
stack
.end stack
L37: iload 5
L39: iload 4
L41: if_icmpge L62
L44: aload_3
L45: iload 5
L47: aaload
L48: astore 6
L50: aload_2
L51: aload 6
L53: invokevirtual Method StringCount hashInsert (Ljava/lang/String;)V
L56: iinc 5 1
L59: goto L37
.stack chop 3
L62: aload_2
L63: invokevirtual Method StringCount getHashMap ()Ljava/util/HashMap;
L66: astore_3
L67: aload_3
L68: invokeinterface InterfaceMethod java/util/Map keySet ()Ljava/util/Set; 1
L73: invokeinterface InterfaceMethod java/util/Set iterator ()Ljava/util/Iterator; 1
L78: astore 4
.stack append Object java/util/Map Object java/util/Iterator
L80: aload 4
L82: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1
L87: ifeq L147
L90: aload 4
L92: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1
L97: checkcast java/lang/String
L100: astore 5
L102: getstatic Field java/lang/System out Ljava/io/PrintStream;
L105: new java/lang/StringBuilder
L108: dup
L109: invokespecial Method java/lang/StringBuilder <init> ()V
L112: aload 5
L114: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L117: ldc '出现了'
L119: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L122: aload_3
L123: aload 5
L125: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2
L130: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L133: ldc '次'
L135: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L138: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L141: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L144: goto L80
.stack same_extended
L147: getstatic Field java/lang/System out Ljava/io/PrintStream;
L150: aload_3
L151: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V
L154: return
L155:
.linenumbertable
L0 28
L20 29
L28 31
L50 32
L56 31
L62 34
L67 35
L80 37
L90 38
L102 39
L147 41
L154 43
.end linenumbertable
.end code
.end method
.sourcefile 'StringCount.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 05:10:37 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.util.HashMap;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class StringCount_ESTest extends StringCount_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
StringCount stringCount0 = new StringCount();
stringCount0.hashInsert("&+7pjx<-o");
HashMap hashMap0 = stringCount0.getHashMap();
assertFalse(hashMap0.isEmpty());
}
@Test(timeout = 4000)
public void test1() throws Throwable {
StringCount stringCount0 = new StringCount();
stringCount0.hashInsert("&+7pjx<-o");
stringCount0.hashInsert("&+7pjx<-o");
}
@Test(timeout = 4000)
public void test2() throws Throwable {
String[] stringArray0 = new String[0];
StringCount.main(stringArray0);
assertEquals(0, stringArray0.length);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
StringCount stringCount0 = new StringCount();
stringCount0.getHashMap();
String[] stringArray0 = new String[0];
StringCount.main(stringArray0);
StringCount.main((String[]) null);
stringCount0.getHashMap();
stringCount0.hashInsert("#{EXmkw{");
HashMap hashMap0 = stringCount0.getHashMap();
assertEquals(1, hashMap0.size());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 05:10: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 StringCount_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "StringCount";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp8nx7_ox7");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(StringCount_ESTest_scaffolding.class.getClassLoader() ,
"StringCount"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(StringCount_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"StringCount"
);
}
}
| 1,010 |
StringSearchTool | // From Scott Robert Ladd, "Java algorithms", chap. 3
public abstract class StringSearchTool {
public static int NOT_FOUND = -1;
public static int SEARCH_EXACT = 0;
public static int SEARCH_CASELESS = 1;
protected String pattern;
protected int search;
public StringSearchTool() {
search = SEARCH_CASELESS;
pattern = null;
}
public StringSearchTool(final String p) {
search = SEARCH_CASELESS;
setPattern(p);
}
public StringSearchTool(final String p, int type) {
search = type;
setPattern(p);
}
public synchronized String getPattern() {
return pattern;
}
public synchronized void setPattern(final String p) {
if ((search == SEARCH_CASELESS)) {
pattern = p.toUpperCase();
} else
// pattern=new String(p);
pattern = p;
}
public synchronized int getPatternLength() {
return pattern.length();
}
public int getSearchType() {
return search;
}
public int find(final String target) {
return find(target, 0);
}
public abstract int find(final String target, int start);
}
| .version 52 0
.class public super abstract StringSearchTool
.super java/lang/Object
.field public static NOT_FOUND I
.field public static SEARCH_EXACT I
.field public static SEARCH_CASELESS I
.field protected pattern Ljava/lang/String;
.field protected search 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: getstatic Field StringSearchTool SEARCH_CASELESS I
L8: putfield Field StringSearchTool search I
L11: aload_0
L12: aconst_null
L13: putfield Field StringSearchTool pattern Ljava/lang/String;
L16: return
L17:
.linenumbertable
L0 14
L4 15
L11 16
L16 17
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: getstatic Field StringSearchTool SEARCH_CASELESS I
L8: putfield Field StringSearchTool search I
L11: aload_0
L12: aload_1
L13: invokevirtual Method StringSearchTool setPattern (Ljava/lang/String;)V
L16: return
L17:
.linenumbertable
L0 20
L4 21
L11 22
L16 23
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;I)V
.code stack 2 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iload_2
L6: putfield Field StringSearchTool search I
L9: aload_0
L10: aload_1
L11: invokevirtual Method StringSearchTool setPattern (Ljava/lang/String;)V
L14: return
L15:
.linenumbertable
L0 26
L4 27
L9 28
L14 29
.end linenumbertable
.end code
.end method
.method public synchronized getPattern : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field StringSearchTool pattern Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 33
.end linenumbertable
.end code
.end method
.method public synchronized setPattern : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: getfield Field StringSearchTool search I
L4: getstatic Field StringSearchTool SEARCH_CASELESS I
L7: if_icmpne L21
L10: aload_0
L11: aload_1
L12: invokevirtual Method java/lang/String toUpperCase ()Ljava/lang/String;
L15: putfield Field StringSearchTool pattern Ljava/lang/String;
L18: goto L26
.stack same
L21: aload_0
L22: aload_1
L23: putfield Field StringSearchTool pattern Ljava/lang/String;
.stack same
L26: return
L27:
.linenumbertable
L0 38
L10 40
L21 44
L26 45
.end linenumbertable
.end code
.end method
.method public synchronized getPatternLength : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field StringSearchTool pattern Ljava/lang/String;
L4: invokevirtual Method java/lang/String length ()I
L7: ireturn
L8:
.linenumbertable
L0 49
.end linenumbertable
.end code
.end method
.method public getSearchType : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field StringSearchTool search I
L4: ireturn
L5:
.linenumbertable
L0 54
.end linenumbertable
.end code
.end method
.method public find : (Ljava/lang/String;)I
.code stack 3 locals 2
L0: aload_0
L1: aload_1
L2: iconst_0
L3: invokevirtual Method StringSearchTool find (Ljava/lang/String;I)I
L6: ireturn
L7:
.linenumbertable
L0 59
.end linenumbertable
.end code
.end method
.method public abstract find : (Ljava/lang/String;I)I
.end method
.method static <clinit> : ()V
.code stack 1 locals 0
L0: iconst_m1
L1: putstatic Field StringSearchTool NOT_FOUND I
L4: iconst_0
L5: putstatic Field StringSearchTool SEARCH_EXACT I
L8: iconst_1
L9: putstatic Field StringSearchTool SEARCH_CASELESS I
L12: return
L13:
.linenumbertable
L0 6
L4 7
L8 8
.end linenumbertable
.end code
.end method
.sourcefile 'StringSearchTool.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 01:21: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 StringSearchTool_ESTest extends StringSearchTool_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:21:38 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 StringSearchTool_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 = "StringSearchTool";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.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(StringSearchTool_ESTest_scaffolding.class.getClassLoader() ,
"StringSearchTool"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(StringSearchTool_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"StringSearchTool"
);
}
}
| 1,011 |
CommandExecutor | /************************************************************************************************
* _________ _ ____ _ __ __ _ _ _ _ _ ___
* |__ / ___|__ _ ___| |__ / ___|_ _(_)_ __ __ \ \ / /_ _| | | ___| |_| | | |_ _|
* / / | / _` / __| '_ \\___ \ \ /\ / / | '_ \ / _` \ \ /\ / / _` | | |/ _ \ __| | | || |
* / /| |__| (_| \__ \ | | |___) \ V V /| | | | | (_| |\ V V / (_| | | | __/ |_| |_| || |
* /____\____\__,_|___/_| |_|____/ \_/\_/ |_|_| |_|\__, | \_/\_/ \__,_|_|_|\___|\__|\___/|___|
* |___/
*
* Copyright (c) 2016 Ivan Vaklinov <[email protected]>
*
* 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.io.IOException;
import java.io.InputStreamReader;
import java.io.Reader;
/**
* Executes a command and retruns the result.
*
* @author Ivan Vaklinov <[email protected]>
*/
public class CommandExecutor {
private String args[];
public CommandExecutor(String args[]) throws IOException {
this.args = args;
}
public Process executeNoResult() throws IOException {
return Runtime.getRuntime().exec(args);
}
public String execute() throws IOException, InterruptedException {
final StringBuffer result = new StringBuffer();
Runtime rt = Runtime.getRuntime();
Process proc = rt.exec(args);
final Reader in = new InputStreamReader(proc.getInputStream());
final Reader err = new InputStreamReader(proc.getErrorStream());
Thread inThread =
new Thread(
new Runnable() {
@Override
public void run() {
try {
int c;
while ((c = in.read()) != -1) {
result.append((char) c);
}
} catch (IOException ioe) {
// TODO: log or handle the exception
}
}
});
inThread.start();
Thread errThread =
new Thread(
new Runnable() {
@Override
public void run() {
try {
int c;
while ((c = err.read()) != -1) {
result.append((char) c);
}
} catch (IOException ioe) {
// TODO: log or handle the exception
}
}
});
errThread.start();
proc.waitFor();
inThread.join();
errThread.join();
return result.toString();
}
}
| .version 52 0
.class public super CommandExecutor
.super java/lang/Object
.field private args [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 CommandExecutor args [Ljava/lang/String;
L9: return
L10:
.linenumbertable
L0 49
L4 50
L9 51
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.method public executeNoResult : ()Ljava/lang/Process;
.code stack 2 locals 1
L0: invokestatic Method java/lang/Runtime getRuntime ()Ljava/lang/Runtime;
L3: aload_0
L4: getfield Field CommandExecutor args [Ljava/lang/String;
L7: invokevirtual Method java/lang/Runtime exec ([Ljava/lang/String;)Ljava/lang/Process;
L10: areturn
L11:
.linenumbertable
L0 54
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.method public execute : ()Ljava/lang/String;
.code stack 7 locals 8
L0: new java/lang/StringBuffer
L3: dup
L4: invokespecial Method java/lang/StringBuffer <init> ()V
L7: astore_1
L8: invokestatic Method java/lang/Runtime getRuntime ()Ljava/lang/Runtime;
L11: astore_2
L12: aload_2
L13: aload_0
L14: getfield Field CommandExecutor args [Ljava/lang/String;
L17: invokevirtual Method java/lang/Runtime exec ([Ljava/lang/String;)Ljava/lang/Process;
L20: astore_3
L21: new java/io/InputStreamReader
L24: dup
L25: aload_3
L26: invokevirtual Method java/lang/Process getInputStream ()Ljava/io/InputStream;
L29: invokespecial Method java/io/InputStreamReader <init> (Ljava/io/InputStream;)V
L32: astore 4
L34: new java/io/InputStreamReader
L37: dup
L38: aload_3
L39: invokevirtual Method java/lang/Process getErrorStream ()Ljava/io/InputStream;
L42: invokespecial Method java/io/InputStreamReader <init> (Ljava/io/InputStream;)V
L45: astore 5
L47: new java/lang/Thread
L50: dup
L51: new CommandExecutor$1
L54: dup
L55: aload_0
L56: aload 4
L58: aload_1
L59: invokespecial Method CommandExecutor$1 <init> (LCommandExecutor;Ljava/io/Reader;Ljava/lang/StringBuffer;)V
L62: invokespecial Method java/lang/Thread <init> (Ljava/lang/Runnable;)V
L65: astore 6
L67: aload 6
L69: invokevirtual Method java/lang/Thread start ()V
L72: new java/lang/Thread
L75: dup
L76: new CommandExecutor$2
L79: dup
L80: aload_0
L81: aload 5
L83: aload_1
L84: invokespecial Method CommandExecutor$2 <init> (LCommandExecutor;Ljava/io/Reader;Ljava/lang/StringBuffer;)V
L87: invokespecial Method java/lang/Thread <init> (Ljava/lang/Runnable;)V
L90: astore 7
L92: aload 7
L94: invokevirtual Method java/lang/Thread start ()V
L97: aload_3
L98: invokevirtual Method java/lang/Process waitFor ()I
L101: pop
L102: aload 6
L104: invokevirtual Method java/lang/Thread join ()V
L107: aload 7
L109: invokevirtual Method java/lang/Thread join ()V
L112: aload_1
L113: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String;
L116: areturn
L117:
.linenumbertable
L0 60
L8 62
L12 63
L21 65
L34 67
L47 69
L67 89
L72 91
L92 111
L97 113
L102 114
L107 115
L112 117
.end linenumbertable
.end code
.exceptions java/io/IOException java/lang/InterruptedException
.end method
.sourcefile 'CommandExecutor.java'
.innerclasses
CommandExecutor$2 [0] [0]
CommandExecutor$1 [0] [0]
.end innerclasses
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 23:55:02 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 CommandExecutor_ESTest extends CommandExecutor_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[1];
CommandExecutor commandExecutor0 = new CommandExecutor(stringArray0);
try {
commandExecutor0.execute();
fail("Expecting exception: IOException");
} catch(IOException e) {
//
// Cannot start processes in a unit test
//
verifyException("org.evosuite.runtime.mock.java.lang.MockRuntime", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
CommandExecutor commandExecutor0 = new CommandExecutor((String[]) null);
try {
commandExecutor0.executeNoResult();
fail("Expecting exception: IOException");
} catch(IOException e) {
//
// Cannot start processes in a unit test
//
verifyException("org.evosuite.runtime.mock.java.lang.MockRuntime", e);
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 23:55: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 CommandExecutor_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "CommandExecutor";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmprk7udhu0");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CommandExecutor_ESTest_scaffolding.class.getClassLoader() ,
"CommandExecutor"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CommandExecutor_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"CommandExecutor"
);
}
}
| 1,012 |
Variant | /*
*
* Copyright (C) 2009
* Mario Jarmasz, Alistair Kennedy and Stan Szpakowicz
* School of Information Technology and Engineering (SITE)
* University of Ottawa, 800 King Edward Avenue
* Ottawa, Ontario, Canada, K1N 6N5
*
* and
*
* Olena Medelyan
* Department of Computer Science,
* The University of Waikato
* Private Bag 3105, Hamilton, New Zealand
*
* This file is part of Open Roget's Thesaurus ELKB.
*
* Copyright (c) 2009, Mario Jarmasz, Alistair Kennedy, Stan Szpakowicz and Olena Medelyan
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright
* notice, this list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright
* notice, this list of conditions and the following disclaimer in the
* documentation and/or other materials provided with the distribution.
* * Neither the name of the University of Ottawa nor the
* names of its contributors may be used to endorse or promote products
* derived from this software without specific prior written permission.
* * All advertising materials mentioning features or use of this software
* must display the following acknowledgement:
* This product includes software developed by the University of
* Ottawa and its contributors.
*
* THIS SOFTWARE IS PROVIDED BY Mario Jarmasz, Alistair Kennedy, Stan Szpakowicz
* and Olena Medelyan ''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 Mario Jarmasz, Alistair
* Kennedy, Stan Szpakowicz and Olena Medelyan BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING,
* BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
* DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY
* OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING
* NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE,
* EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*
*/
import java.io.*;
import java.util.*;
/**
* Allows to obtain a variant of an English spelling. A British spelling variant can be obtained
* form an American spelling and vice-versa.
*
* <p>The default American and British word list is <TT>AmBr.lst</TT> contained in the
* <TT>$HOME/roget_elkb</TT> directory. It is loaded by the default constructor.
*
* @author Mario Jarmasz and Alistsair Kennedy
* @version 1.4 2013
*/
public class Variant implements Serializable {
/** */
private static final long serialVersionUID = 6871983966165029804L;
/***************************************************************************
* Location of user's <TT>Home</TT> directory.
**************************************************************************/
public static final String USER_HOME = System.getProperty("user.home");
/***************************************************************************
* Location of the <i>ELKB</i> data directory.
**************************************************************************/
public static final String ELKB_PATH = System.getProperty("elkb.path", USER_HOME + "/roget_elkb");
/***************************************************************************
* Location of the default American and British spelling word list.
**************************************************************************/
// Name of file that contains American to British spelling
public static final String AMBR_FILE = ELKB_PATH + "/AmBr.lst";
// only contains one hastable?
private HashMap<String, String> amBrHash;
private HashMap<String, String> brAmHash;
/** Default constructor. */
public Variant() {
amBrHash = new HashMap<String, String>();
brAmHash = new HashMap<String, String>();
loadFromFile(AMBR_FILE);
}
/**
* Constructor that builds the <TT>Variant</TT> object using the information contained in the
* specified file. This file must contain only the American and British spellings in the following
* format: <br>
* <CODE>American spelling:British spellling</CODE>. </BR> For example: <br>
* <CODE>airplane:aeroplane</CODE> <br>
*
* @param filename
*/
public Variant(String filename) {
amBrHash = new HashMap<String, String>();
brAmHash = new HashMap<String, String>();
loadFromFile(filename);
}
/**
* Loads an American to British dictionary from a file.
*
* @param filename
*/
private void loadFromFile(String filename) {
try {
BufferedReader br = new BufferedReader(new FileReader(filename));
StringTokenizer st;
for (; ; ) {
String line = new String();
String american = new String();
String british = new String();
line = br.readLine();
if (line == null) {
br.close();
break;
} else {
st = new StringTokenizer(line, ":");
american = st.nextToken();
british = st.nextToken();
amBrHash.put(american, british);
brAmHash.put(british, american);
}
}
} catch (Exception e) {
// System.out.println(line);
System.out.println("Error:" + e);
}
}
/**
* Returns the British spelling of a word, or <TT>null</TT> if the word cannot be found.
*
* @param american
* @return British translation
*/
public String amToBr(String american) {
return amBrHash.get(american);
}
/**
* Returns the American spelling of a word, or <TT>null</TT> if the word cannot be found.
*
* @param british
* @return American translation
*/
public String brToAm(String british) {
return brAmHash.get(british);
}
}
| .version 52 0
.class public super Variant
.super java/lang/Object
.implements java/io/Serializable
.field private static final serialVersionUID J = 6871983966165029804L
.field public static final USER_HOME Ljava/lang/String;
.field public static final ELKB_PATH Ljava/lang/String;
.field public static final AMBR_FILE Ljava/lang/String;
.field private amBrHash Ljava/util/HashMap; .fieldattributes
.signature Ljava/util/HashMap<Ljava/lang/String;Ljava/lang/String;>;
.end fieldattributes
.field private brAmHash Ljava/util/HashMap; .fieldattributes
.signature Ljava/util/HashMap<Ljava/lang/String;Ljava/lang/String;>;
.end fieldattributes
.method public <init> : ()V
.code stack 3 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: new java/util/HashMap
L8: dup
L9: invokespecial Method java/util/HashMap <init> ()V
L12: putfield Field Variant amBrHash Ljava/util/HashMap;
L15: aload_0
L16: new java/util/HashMap
L19: dup
L20: invokespecial Method java/util/HashMap <init> ()V
L23: putfield Field Variant brAmHash Ljava/util/HashMap;
L26: aload_0
L27: getstatic Field Variant AMBR_FILE Ljava/lang/String;
L30: invokespecial Method Variant loadFromFile (Ljava/lang/String;)V
L33: return
L34:
.linenumbertable
L0 101
L4 102
L15 103
L26 104
L33 105
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;)V
.code stack 3 locals 2
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 Variant amBrHash Ljava/util/HashMap;
L15: aload_0
L16: new java/util/HashMap
L19: dup
L20: invokespecial Method java/util/HashMap <init> ()V
L23: putfield Field Variant brAmHash Ljava/util/HashMap;
L26: aload_0
L27: aload_1
L28: invokespecial Method Variant loadFromFile (Ljava/lang/String;)V
L31: return
L32:
.linenumbertable
L0 117
L4 118
L15 119
L26 120
L31 121
.end linenumbertable
.end code
.end method
.method private loadFromFile : (Ljava/lang/String;)V
.code stack 5 locals 7
.catch java/lang/Exception from L0 to L112 using L115
L0: new java/io/BufferedReader
L3: dup
L4: new java/io/FileReader
L7: dup
L8: aload_1
L9: invokespecial Method java/io/FileReader <init> (Ljava/lang/String;)V
L12: invokespecial Method java/io/BufferedReader <init> (Ljava/io/Reader;)V
L15: astore_2
.stack append Object java/io/BufferedReader
L16: new java/lang/String
L19: dup
L20: invokespecial Method java/lang/String <init> ()V
L23: astore 4
L25: new java/lang/String
L28: dup
L29: invokespecial Method java/lang/String <init> ()V
L32: astore 5
L34: new java/lang/String
L37: dup
L38: invokespecial Method java/lang/String <init> ()V
L41: astore 6
L43: aload_2
L44: invokevirtual Method java/io/BufferedReader readLine ()Ljava/lang/String;
L47: astore 4
L49: aload 4
L51: ifnonnull L61
L54: aload_2
L55: invokevirtual Method java/io/BufferedReader close ()V
L58: goto L112
.stack full
locals Object Variant Object java/lang/String Object java/io/BufferedReader Top Object java/lang/String Object java/lang/String Object java/lang/String
stack
.end stack
L61: new java/util/StringTokenizer
L64: dup
L65: aload 4
L67: ldc ':'
L69: invokespecial Method java/util/StringTokenizer <init> (Ljava/lang/String;Ljava/lang/String;)V
L72: astore_3
L73: aload_3
L74: invokevirtual Method java/util/StringTokenizer nextToken ()Ljava/lang/String;
L77: astore 5
L79: aload_3
L80: invokevirtual Method java/util/StringTokenizer nextToken ()Ljava/lang/String;
L83: astore 6
L85: aload_0
L86: getfield Field Variant amBrHash Ljava/util/HashMap;
L89: aload 5
L91: aload 6
L93: invokevirtual Method java/util/HashMap put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object;
L96: pop
L97: aload_0
L98: getfield Field Variant brAmHash Ljava/util/HashMap;
L101: aload 6
L103: aload 5
L105: invokevirtual Method java/util/HashMap put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object;
L108: pop
L109: goto L16
.stack full
locals Object Variant Object java/lang/String
stack
.end stack
L112: goto L141
.stack stack_1 Object java/lang/Exception
L115: astore_2
L116: getstatic Field java/lang/System out Ljava/io/PrintStream;
L119: new java/lang/StringBuilder
L122: dup
L123: invokespecial Method java/lang/StringBuilder <init> ()V
L126: ldc 'Error:'
L128: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L131: aload_2
L132: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L135: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L138: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack same
L141: return
L142:
.linenumbertable
L0 129
L16 133
L25 134
L34 135
L43 137
L49 139
L54 140
L58 141
L61 143
L73 144
L79 145
L85 146
L97 147
L109 149
L112 153
L115 150
L116 152
L141 154
.end linenumbertable
.end code
.end method
.method public amToBr : (Ljava/lang/String;)Ljava/lang/String;
.code stack 2 locals 2
L0: aload_0
L1: getfield Field Variant amBrHash Ljava/util/HashMap;
L4: aload_1
L5: invokevirtual Method java/util/HashMap get (Ljava/lang/Object;)Ljava/lang/Object;
L8: checkcast java/lang/String
L11: areturn
L12:
.linenumbertable
L0 164
.end linenumbertable
.end code
.end method
.method public brToAm : (Ljava/lang/String;)Ljava/lang/String;
.code stack 2 locals 2
L0: aload_0
L1: getfield Field Variant brAmHash Ljava/util/HashMap;
L4: aload_1
L5: invokevirtual Method java/util/HashMap get (Ljava/lang/Object;)Ljava/lang/Object;
L8: checkcast java/lang/String
L11: areturn
L12:
.linenumbertable
L0 175
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 3 locals 0
L0: ldc 'user.home'
L2: invokestatic Method java/lang/System getProperty (Ljava/lang/String;)Ljava/lang/String;
L5: putstatic Field Variant USER_HOME Ljava/lang/String;
L8: ldc 'elkb.path'
L10: new java/lang/StringBuilder
L13: dup
L14: invokespecial Method java/lang/StringBuilder <init> ()V
L17: getstatic Field Variant USER_HOME Ljava/lang/String;
L20: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L23: ldc '/roget_elkb'
L25: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L28: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L31: invokestatic Method java/lang/System getProperty (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String;
L34: putstatic Field Variant ELKB_PATH Ljava/lang/String;
L37: new java/lang/StringBuilder
L40: dup
L41: invokespecial Method java/lang/StringBuilder <init> ()V
L44: getstatic Field Variant ELKB_PATH Ljava/lang/String;
L47: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L50: ldc '/AmBr.lst'
L52: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L55: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L58: putstatic Field Variant AMBR_FILE Ljava/lang/String;
L61: return
L62:
.linenumbertable
L0 79
L8 84
L37 91
.end linenumbertable
.end code
.end method
.sourcefile 'Variant.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 20:51: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 Variant_ESTest extends Variant_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Variant variant0 = new Variant("^:{%AFd&");
String string0 = variant0.brToAm("/home/bmcdanel/roget_elkb/AmBr.lst");
assertNull(string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Variant variant0 = new Variant();
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Variant variant0 = new Variant("^:{%AFd&");
String string0 = variant0.amToBr("^:{%AFd&");
assertNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 20:51: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 Variant_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Variant";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp0qxlc2bj");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Variant_ESTest_scaffolding.class.getClassLoader() ,
"Variant"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Variant_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Variant"
);
}
}
| 1,013 |
Init | public class Init {
{
System.out.println(text);
}
static String text = "D";
static {
System.out.println(text);
text = "B";
}
Init(int a) {
System.out.println("F");
}
public Init() {
this(2);
System.out.println("A");
}
public static void main(String[] args) {
Init var1 = new Init();
}
}
| .version 52 0
.class public super Init
.super java/lang/Object
.field static text Ljava/lang/String;
.method <init> : (I)V
.code stack 2 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: getstatic Field java/lang/System out Ljava/io/PrintStream;
L7: getstatic Field Init text Ljava/lang/String;
L10: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L13: getstatic Field java/lang/System out Ljava/io/PrintStream;
L16: ldc 'F'
L18: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L21: return
L22:
.linenumbertable
L0 14
L4 4
L13 15
L21 16
.end linenumbertable
.end code
.end method
.method public <init> : ()V
.code stack 2 locals 1
L0: aload_0
L1: iconst_2
L2: invokespecial Method Init <init> (I)V
L5: getstatic Field java/lang/System out Ljava/io/PrintStream;
L8: ldc 'A'
L10: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L13: return
L14:
.linenumbertable
L0 19
L5 20
L13 21
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 2 locals 2
L0: new Init
L3: dup
L4: invokespecial Method Init <init> ()V
L7: astore_1
L8: return
L9:
.linenumbertable
L0 24
L8 25
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 2 locals 0
L0: ldc 'D'
L2: putstatic Field Init text Ljava/lang/String;
L5: getstatic Field java/lang/System out Ljava/io/PrintStream;
L8: getstatic Field Init text Ljava/lang/String;
L11: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L14: ldc 'B'
L16: putstatic Field Init text Ljava/lang/String;
L19: return
L20:
.linenumbertable
L0 7
L5 10
L14 11
L19 12
.end linenumbertable
.end code
.end method
.sourcefile 'Init.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 20:18:15 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Init_ESTest extends Init_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Init init0 = new Init((-23080));
}
@Test(timeout = 4000)
public void test1() throws Throwable {
String[] stringArray0 = new String[4];
Init.main(stringArray0);
assertEquals(4, stringArray0.length);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Init init0 = new Init();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 20:18: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 Init_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Init";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpn_hi85jc");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Init_ESTest_scaffolding.class.getClassLoader() ,
"Init"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Init_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Init"
);
}
}
| 1,014 |
CanAssemble | public class CanAssemble {
public boolean assembleThenCancel;
public boolean justCancel;
public CanAssemble(boolean assembleThenCancel, boolean justCancel) {
this.assembleThenCancel = assembleThenCancel;
this.justCancel = justCancel;
}
}
| .version 52 0
.class public super CanAssemble
.super java/lang/Object
.field public assembleThenCancel Z
.field public justCancel Z
.method public <init> : (ZZ)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 CanAssemble assembleThenCancel Z
L9: aload_0
L10: iload_2
L11: putfield Field CanAssemble justCancel Z
L14: return
L15:
.linenumbertable
L0 8
L4 9
L9 10
L14 11
.end linenumbertable
.end code
.end method
.sourcefile 'CanAssemble.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 00:01: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 CanAssemble_ESTest extends CanAssemble_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
CanAssemble canAssemble0 = new CanAssemble(false, false);
assertFalse(canAssemble0.assembleThenCancel);
assertFalse(canAssemble0.justCancel);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 00:01: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 CanAssemble_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "CanAssemble";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpcnhdxr7j");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CanAssemble_ESTest_scaffolding.class.getClassLoader() ,
"CanAssemble"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CanAssemble_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"CanAssemble"
);
}
}
| 1,015 |
IntegerToBytes | /*
* 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 russel
*/
public class IntegerToBytes {
public static void main(String[] args) {
int a = 8190;
byte[] b = new byte[4];
System.out.println(0x000000FF & a);
System.out.println(0x000000FF & (a >> 8));
System.out.println(0x000000FF & (a >> 16));
System.out.println(0x000000FF & (a >> 24));
for (int i = 0; i < 3; i++) {}
"Hello".getBytes();
}
}
| .version 52 0
.class public super IntegerToBytes
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 12
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 4 locals 4
L0: sipush 8190
L3: istore_1
L4: iconst_4
L5: newarray byte
L7: astore_2
L8: getstatic Field java/lang/System out Ljava/io/PrintStream;
L11: sipush 255
L14: iload_1
L15: iand
L16: invokevirtual Method java/io/PrintStream println (I)V
L19: getstatic Field java/lang/System out Ljava/io/PrintStream;
L22: sipush 255
L25: iload_1
L26: bipush 8
L28: ishr
L29: iand
L30: invokevirtual Method java/io/PrintStream println (I)V
L33: getstatic Field java/lang/System out Ljava/io/PrintStream;
L36: sipush 255
L39: iload_1
L40: bipush 16
L42: ishr
L43: iand
L44: invokevirtual Method java/io/PrintStream println (I)V
L47: getstatic Field java/lang/System out Ljava/io/PrintStream;
L50: sipush 255
L53: iload_1
L54: bipush 24
L56: ishr
L57: iand
L58: invokevirtual Method java/io/PrintStream println (I)V
L61: iconst_0
L62: istore_3
.stack append Integer Object [B Integer
L63: iload_3
L64: iconst_3
L65: if_icmpge L74
L68: iinc 3 1
L71: goto L63
.stack chop 1
L74: ldc 'Hello'
L76: invokevirtual Method java/lang/String getBytes ()[B
L79: pop
L80: return
L81:
.linenumbertable
L0 14
L4 15
L8 17
L19 18
L33 19
L47 20
L61 22
L74 25
L80 27
.end linenumbertable
.end code
.end method
.sourcefile 'IntegerToBytes.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 15:46:46 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class IntegerToBytes_ESTest extends IntegerToBytes_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[0];
IntegerToBytes.main(stringArray0);
IntegerToBytes integerToBytes0 = new IntegerToBytes();
IntegerToBytes.main(stringArray0);
assertEquals(0, stringArray0.length);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 15:46:46 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class IntegerToBytes_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "IntegerToBytes";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpylsts4t0");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(IntegerToBytes_ESTest_scaffolding.class.getClassLoader() ,
"IntegerToBytes"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(IntegerToBytes_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"IntegerToBytes"
);
}
}
| 1,016 |
RdYearmonth | import java.util.Date;
public class RdYearmonth {
private Integer id;
private Integer readYear;
private Integer readMonth;
private Boolean isCurrent;
private Integer initEmpId;
private Date initDate;
private Date endDate;
public Integer getId() {
return id;
}
public void setId(Integer id) {
this.id = id;
}
public Integer getReadYear() {
return readYear;
}
public void setReadYear(Integer readYear) {
this.readYear = readYear;
}
public Integer getReadMonth() {
return readMonth;
}
public void setReadMonth(Integer readMonth) {
this.readMonth = readMonth;
}
public Boolean getIsCurrent() {
return isCurrent;
}
public void setIsCurrent(Boolean isCurrent) {
this.isCurrent = isCurrent;
}
public Integer getInitEmpId() {
return initEmpId;
}
public void setInitEmpId(Integer initEmpId) {
this.initEmpId = initEmpId;
}
public Date getInitDate() {
return initDate;
}
public void setInitDate(Date initDate) {
this.initDate = initDate;
}
public Date getEndDate() {
return endDate;
}
public void setEndDate(Date endDate) {
this.endDate = endDate;
}
}
| .version 52 0
.class public super RdYearmonth
.super java/lang/Object
.field private id Ljava/lang/Integer;
.field private readYear Ljava/lang/Integer;
.field private readMonth Ljava/lang/Integer;
.field private isCurrent Ljava/lang/Boolean;
.field private initEmpId Ljava/lang/Integer;
.field private initDate Ljava/util/Date;
.field private endDate Ljava/util/Date;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 5
.end linenumbertable
.end code
.end method
.method public getId : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field RdYearmonth id Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 21
.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 RdYearmonth id Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 25
L5 26
.end linenumbertable
.end code
.end method
.method public getReadYear : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field RdYearmonth readYear Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 29
.end linenumbertable
.end code
.end method
.method public setReadYear : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field RdYearmonth readYear Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 33
L5 34
.end linenumbertable
.end code
.end method
.method public getReadMonth : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field RdYearmonth readMonth Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 37
.end linenumbertable
.end code
.end method
.method public setReadMonth : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field RdYearmonth readMonth Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 41
L5 42
.end linenumbertable
.end code
.end method
.method public getIsCurrent : ()Ljava/lang/Boolean;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field RdYearmonth isCurrent Ljava/lang/Boolean;
L4: areturn
L5:
.linenumbertable
L0 45
.end linenumbertable
.end code
.end method
.method public setIsCurrent : (Ljava/lang/Boolean;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field RdYearmonth isCurrent Ljava/lang/Boolean;
L5: return
L6:
.linenumbertable
L0 49
L5 50
.end linenumbertable
.end code
.end method
.method public getInitEmpId : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field RdYearmonth initEmpId Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 53
.end linenumbertable
.end code
.end method
.method public setInitEmpId : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field RdYearmonth initEmpId Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 57
L5 58
.end linenumbertable
.end code
.end method
.method public getInitDate : ()Ljava/util/Date;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field RdYearmonth initDate Ljava/util/Date;
L4: areturn
L5:
.linenumbertable
L0 61
.end linenumbertable
.end code
.end method
.method public setInitDate : (Ljava/util/Date;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field RdYearmonth initDate Ljava/util/Date;
L5: return
L6:
.linenumbertable
L0 65
L5 66
.end linenumbertable
.end code
.end method
.method public getEndDate : ()Ljava/util/Date;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field RdYearmonth endDate Ljava/util/Date;
L4: areturn
L5:
.linenumbertable
L0 69
.end linenumbertable
.end code
.end method
.method public setEndDate : (Ljava/util/Date;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field RdYearmonth endDate Ljava/util/Date;
L5: return
L6:
.linenumbertable
L0 73
L5 74
.end linenumbertable
.end code
.end method
.sourcefile 'RdYearmonth.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 19:23:35 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.util.Date;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.mock.java.util.MockDate;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class RdYearmonth_ESTest extends RdYearmonth_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
RdYearmonth rdYearmonth0 = new RdYearmonth();
Integer integer0 = new Integer(0);
rdYearmonth0.setReadYear(integer0);
Integer integer1 = rdYearmonth0.getReadYear();
assertEquals(0, (int)integer1);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
RdYearmonth rdYearmonth0 = new RdYearmonth();
Integer integer0 = new Integer(1);
rdYearmonth0.setReadYear(integer0);
Integer integer1 = rdYearmonth0.getReadYear();
assertEquals(1, (int)integer1);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
RdYearmonth rdYearmonth0 = new RdYearmonth();
Integer integer0 = new Integer((-27233));
rdYearmonth0.setReadYear(integer0);
Integer integer1 = rdYearmonth0.getReadYear();
assertEquals((-27233), (int)integer1);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
RdYearmonth rdYearmonth0 = new RdYearmonth();
Integer integer0 = new Integer(0);
rdYearmonth0.setReadMonth(integer0);
Integer integer1 = rdYearmonth0.getReadMonth();
assertEquals(0, (int)integer1);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
RdYearmonth rdYearmonth0 = new RdYearmonth();
Integer integer0 = new Integer(1);
rdYearmonth0.setReadMonth(integer0);
Integer integer1 = rdYearmonth0.getReadMonth();
assertEquals(1, (int)integer1);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
RdYearmonth rdYearmonth0 = new RdYearmonth();
Integer integer0 = new Integer((-1));
rdYearmonth0.setReadMonth(integer0);
Integer integer1 = rdYearmonth0.getReadMonth();
assertEquals((-1), (int)integer1);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
RdYearmonth rdYearmonth0 = new RdYearmonth();
Boolean boolean0 = Boolean.valueOf(true);
rdYearmonth0.setIsCurrent(boolean0);
Boolean boolean1 = rdYearmonth0.getIsCurrent();
assertTrue(boolean1);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
RdYearmonth rdYearmonth0 = new RdYearmonth();
Integer integer0 = new Integer(83941);
rdYearmonth0.setInitEmpId(integer0);
Integer integer1 = rdYearmonth0.getInitEmpId();
assertEquals(83941, (int)integer1);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
RdYearmonth rdYearmonth0 = new RdYearmonth();
Integer integer0 = new Integer(0);
rdYearmonth0.setInitEmpId(integer0);
Integer integer1 = rdYearmonth0.getInitEmpId();
assertEquals(0, (int)integer1);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
RdYearmonth rdYearmonth0 = new RdYearmonth();
Integer integer0 = new Integer((-29160));
rdYearmonth0.setInitEmpId(integer0);
Integer integer1 = rdYearmonth0.getInitEmpId();
assertEquals((-29160), (int)integer1);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
RdYearmonth rdYearmonth0 = new RdYearmonth();
Integer integer0 = Integer.getInteger("", 16328);
rdYearmonth0.setId(integer0);
Integer integer1 = rdYearmonth0.getId();
assertEquals(16328, (int)integer1);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
RdYearmonth rdYearmonth0 = new RdYearmonth();
Integer integer0 = new Integer(0);
rdYearmonth0.setId(integer0);
Integer integer1 = rdYearmonth0.getId();
assertEquals(0, (int)integer1);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
RdYearmonth rdYearmonth0 = new RdYearmonth();
Integer integer0 = new Integer((-9397));
rdYearmonth0.setId(integer0);
Integer integer1 = rdYearmonth0.getId();
assertEquals((-9397), (int)integer1);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
RdYearmonth rdYearmonth0 = new RdYearmonth();
MockDate mockDate0 = new MockDate();
rdYearmonth0.setInitDate(mockDate0);
Date date0 = rdYearmonth0.getInitDate();
assertSame(date0, mockDate0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
RdYearmonth rdYearmonth0 = new RdYearmonth();
Boolean boolean0 = Boolean.valueOf("");
rdYearmonth0.setIsCurrent(boolean0);
Boolean boolean1 = rdYearmonth0.getIsCurrent();
assertFalse(boolean1);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
RdYearmonth rdYearmonth0 = new RdYearmonth();
Integer integer0 = rdYearmonth0.getId();
assertNull(integer0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
RdYearmonth rdYearmonth0 = new RdYearmonth();
Date date0 = rdYearmonth0.getInitDate();
assertNull(date0);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
RdYearmonth rdYearmonth0 = new RdYearmonth();
Date date0 = rdYearmonth0.getEndDate();
assertNull(date0);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
RdYearmonth rdYearmonth0 = new RdYearmonth();
Integer integer0 = rdYearmonth0.getReadYear();
rdYearmonth0.setInitEmpId(integer0);
assertNull(rdYearmonth0.getIsCurrent());
}
@Test(timeout = 4000)
public void test19() throws Throwable {
RdYearmonth rdYearmonth0 = new RdYearmonth();
Integer integer0 = rdYearmonth0.getReadMonth();
assertNull(integer0);
}
@Test(timeout = 4000)
public void test20() throws Throwable {
RdYearmonth rdYearmonth0 = new RdYearmonth();
Integer integer0 = rdYearmonth0.getInitEmpId();
assertNull(integer0);
}
@Test(timeout = 4000)
public void test21() throws Throwable {
RdYearmonth rdYearmonth0 = new RdYearmonth();
Boolean boolean0 = rdYearmonth0.getIsCurrent();
assertNull(boolean0);
}
@Test(timeout = 4000)
public void test22() throws Throwable {
RdYearmonth rdYearmonth0 = new RdYearmonth();
MockDate mockDate0 = new MockDate(0, 0, 0, 1, 62784, 0);
rdYearmonth0.setEndDate(mockDate0);
Date date0 = rdYearmonth0.getEndDate();
assertEquals("Mon Feb 12 15:24:00 GMT 1900", date0.toString());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 19:23:35 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class RdYearmonth_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "RdYearmonth";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpat8ycbbt");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(RdYearmonth_ESTest_scaffolding.class.getClassLoader() ,
"RdYearmonth"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RdYearmonth_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"RdYearmonth"
);
}
}
| 1,017 |
DictionaryUtils | /*
* Copyright (c) 2003-2013, KNOPFLERFISH project
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following
* conditions are met:
*
* - Redistributions of source code must retain the above copyright
* notice, this list of conditions and the following disclaimer.
*
* - Redistributions in binary form must reproduce the above
* copyright notice, this list of conditions and the following
* disclaimer in the documentation and/or other materials
* provided with the distribution.
*
* - Neither the name of the KNOPFLERFISH project 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.lang.reflect.Array;
import java.util.Dictionary;
import java.util.Enumeration;
import java.util.Hashtable;
import java.util.Vector;
/**
* Some utility methods for objects that implement Dictionary.
*
* @author Gatespace AB
*/
public final class DictionaryUtils {
/**
* Copy a dictionary.
*
* <p>Deep copy where values aren't immutable. I.e. Vector and arrays.
*
* @param in The Dictionary to create a copy of.
* @return A copy of the Dictionary.
*/
public static <K> Dictionary<K, Object> copyDictionary(Dictionary<K, Object> in) {
if (in == null) {
return null;
}
Hashtable<K, Object> out = new Hashtable<K, Object>();
Enumeration<K> keys = in.keys();
while (keys.hasMoreElements()) {
K key = keys.nextElement();
out.put(key, copyValue(in.get(key)));
}
return out;
}
/**
* Recursive comparison of two dictionaries for equality.
*
* <p>Equality is defined as <code>(o1 == null && 02 == null) ||
* o1.equals(o2)</code>.
*
* @param first The first Dictionary to compare.
* @param second The second Dictionary to compare.
* @return true if both dictionaries are either null or recursively equal.
*/
public static <K> boolean dictionariesAreEqual(
Dictionary<K, Object> first, Dictionary<K, Object> second) {
if (bothAreNull(first, second)) return true;
if (onlyOneIsNull(first, second)) return false;
if (sizeIsNotEqual(first, second)) return false;
boolean result = true;
Enumeration<K> keys = first.keys();
while (result && keys.hasMoreElements()) {
K key = keys.nextElement();
Object v1 = first.get(key);
Object v2 = second.get(key);
result = valuesAreEqual(v1, v2);
}
return result;
}
public static <K> boolean dictionariesAreNotEqual(
Dictionary<K, Object> first, Dictionary<K, Object> second) {
return !dictionariesAreEqual(first, second);
}
private static <V> V copyValue(V in) {
if (in == null) {
return null;
}
if (in.getClass().isArray()) {
@SuppressWarnings("unchecked")
V copy = (V) copyArray(in);
return copy;
} else if (in instanceof Vector) {
Vector<?> v = (Vector<?>) in;
@SuppressWarnings("unchecked")
V copy = (V) copyVector(v);
return copy;
} else {
return in;
}
}
private static <V> Vector<V> copyVector(Vector<V> in) {
if (in == null) {
return null;
}
Vector<V> out = new Vector<V>();
Enumeration<V> elements = in.elements();
while (elements.hasMoreElements()) {
out.addElement(copyValue(elements.nextElement()));
}
return out;
}
private static Object copyArray(Object in) {
if (in == null) {
return null;
}
int length = Array.getLength(in);
Object out = Array.newInstance(in.getClass().getComponentType(), length);
for (int i = 0; i < length; ++i) {
Array.set(out, i, copyValue(Array.get(in, i)));
}
return out;
}
private static boolean valuesAreEqual(Object first, Object second) {
if (bothAreNull(first, second)) return true;
if (onlyOneIsNull(first, second)) return false;
if (classesAreNotEqual(first, second)) return false;
if (first.getClass().isArray()) {
return arraysAreEqual(first, second);
} else if (first instanceof Vector) {
return (second instanceof Vector) && vectorsAreEqual((Vector<?>) first, (Vector<?>) second);
} else {
return first.equals(second);
}
}
private static boolean vectorsAreEqual(Vector<?> first, Vector<?> second) {
if (bothAreNull(first, second)) return true;
if (onlyOneIsNull(first, second)) return false;
if (sizeIsNotEqual(first, second)) return false;
boolean result = true;
for (int i = first.size(); result && i < first.size(); ++i) {
result = valuesAreEqual(first.elementAt(i), second.elementAt(i));
}
return result;
}
private static boolean arraysAreEqual(Object first, Object second) {
if (bothAreNull(first, second)) return true;
if (onlyOneIsNull(first, second)) return false;
if (lengthIsNotEqual(first, second)) return false;
int length = Array.getLength(first);
boolean result = true;
for (int i = 0; result && i < length; ++i) {
result = valuesAreEqual(Array.get(first, i), Array.get(second, i));
}
return result;
}
private static boolean bothAreNull(Object first, Object second) {
return first == null && second == null;
}
private static boolean onlyOneIsNull(Object first, Object second) {
return !bothAreNull(first, second) && (first == null || second == null);
}
private static boolean sizeIsNotEqual(Dictionary<?, ?> first, Dictionary<?, ?> second) {
return first.size() != second.size();
}
private static boolean sizeIsNotEqual(Vector<?> first, Vector<?> second) {
return first.size() != second.size();
}
private static boolean lengthIsNotEqual(Object first, Object second) {
return Array.getLength(first) != Array.getLength(second);
}
private static boolean classesAreNotEqual(Object first, Object second) {
return !first.getClass().equals(second.getClass());
}
}
| .version 52 0
.class public final super DictionaryUtils
.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 49
.end linenumbertable
.end code
.end method
.method public static copyDictionary : (Ljava/util/Dictionary;)Ljava/util/Dictionary;
.code stack 4 locals 4
L0: aload_0
L1: ifnonnull L6
L4: aconst_null
L5: areturn
.stack same
L6: new java/util/Hashtable
L9: dup
L10: invokespecial Method java/util/Hashtable <init> ()V
L13: astore_1
L14: aload_0
L15: invokevirtual Method java/util/Dictionary keys ()Ljava/util/Enumeration;
L18: astore_2
.stack append Object java/util/Hashtable Object java/util/Enumeration
L19: aload_2
L20: invokeinterface InterfaceMethod java/util/Enumeration hasMoreElements ()Z 1
L25: ifeq L52
L28: aload_2
L29: invokeinterface InterfaceMethod java/util/Enumeration nextElement ()Ljava/lang/Object; 1
L34: astore_3
L35: aload_1
L36: aload_3
L37: aload_0
L38: aload_3
L39: invokevirtual Method java/util/Dictionary get (Ljava/lang/Object;)Ljava/lang/Object;
L42: invokestatic Method DictionaryUtils copyValue (Ljava/lang/Object;)Ljava/lang/Object;
L45: invokevirtual Method java/util/Hashtable put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object;
L48: pop
L49: goto L19
.stack same
L52: aload_1
L53: areturn
L54:
.linenumbertable
L0 61
L4 62
L6 64
L14 65
L19 66
L28 67
L35 68
L49 69
L52 70
.end linenumbertable
.end code
.signature '<K:Ljava/lang/Object;>(Ljava/util/Dictionary<TK;Ljava/lang/Object;>;)Ljava/util/Dictionary<TK;Ljava/lang/Object;>;'
.end method
.method public static dictionariesAreEqual : (Ljava/util/Dictionary;Ljava/util/Dictionary;)Z
.code stack 2 locals 7
L0: aload_0
L1: aload_1
L2: invokestatic Method DictionaryUtils bothAreNull (Ljava/lang/Object;Ljava/lang/Object;)Z
L5: ifeq L10
L8: iconst_1
L9: ireturn
.stack same
L10: aload_0
L11: aload_1
L12: invokestatic Method DictionaryUtils onlyOneIsNull (Ljava/lang/Object;Ljava/lang/Object;)Z
L15: ifeq L20
L18: iconst_0
L19: ireturn
.stack same
L20: aload_0
L21: aload_1
L22: invokestatic Method DictionaryUtils sizeIsNotEqual (Ljava/util/Dictionary;Ljava/util/Dictionary;)Z
L25: ifeq L30
L28: iconst_0
L29: ireturn
.stack same
L30: iconst_1
L31: istore_2
L32: aload_0
L33: invokevirtual Method java/util/Dictionary keys ()Ljava/util/Enumeration;
L36: astore_3
.stack append Integer Object java/util/Enumeration
L37: iload_2
L38: ifeq L85
L41: aload_3
L42: invokeinterface InterfaceMethod java/util/Enumeration hasMoreElements ()Z 1
L47: ifeq L85
L50: aload_3
L51: invokeinterface InterfaceMethod java/util/Enumeration nextElement ()Ljava/lang/Object; 1
L56: astore 4
L58: aload_0
L59: aload 4
L61: invokevirtual Method java/util/Dictionary get (Ljava/lang/Object;)Ljava/lang/Object;
L64: astore 5
L66: aload_1
L67: aload 4
L69: invokevirtual Method java/util/Dictionary get (Ljava/lang/Object;)Ljava/lang/Object;
L72: astore 6
L74: aload 5
L76: aload 6
L78: invokestatic Method DictionaryUtils valuesAreEqual (Ljava/lang/Object;Ljava/lang/Object;)Z
L81: istore_2
L82: goto L37
.stack same
L85: iload_2
L86: ireturn
L87:
.linenumbertable
L0 88
L8 89
L10 90
L18 91
L20 92
L28 93
L30 95
L32 96
L37 97
L50 98
L58 99
L66 100
L74 101
L82 102
L85 103
.end linenumbertable
.end code
.signature '<K:Ljava/lang/Object;>(Ljava/util/Dictionary<TK;Ljava/lang/Object;>;Ljava/util/Dictionary<TK;Ljava/lang/Object;>;)Z'
.end method
.method public static dictionariesAreNotEqual : (Ljava/util/Dictionary;Ljava/util/Dictionary;)Z
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokestatic Method DictionaryUtils dictionariesAreEqual (Ljava/util/Dictionary;Ljava/util/Dictionary;)Z
L5: ifne L12
L8: iconst_1
L9: goto L13
.stack same
L12: iconst_0
.stack stack_1 Integer
L13: ireturn
L14:
.linenumbertable
L0 109
.end linenumbertable
.end code
.signature '<K:Ljava/lang/Object;>(Ljava/util/Dictionary<TK;Ljava/lang/Object;>;Ljava/util/Dictionary<TK;Ljava/lang/Object;>;)Z'
.end method
.method private static copyValue : (Ljava/lang/Object;)Ljava/lang/Object;
.code stack 1 locals 3
L0: aload_0
L1: ifnonnull L6
L4: aconst_null
L5: areturn
.stack same
L6: aload_0
L7: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L10: invokevirtual Method java/lang/Class isArray ()Z
L13: ifeq L23
L16: aload_0
L17: invokestatic Method DictionaryUtils copyArray (Ljava/lang/Object;)Ljava/lang/Object;
L20: astore_1
L21: aload_1
L22: areturn
.stack same
L23: aload_0
L24: instanceof java/util/Vector
L27: ifeq L42
L30: aload_0
L31: checkcast java/util/Vector
L34: astore_1
L35: aload_1
L36: invokestatic Method DictionaryUtils copyVector (Ljava/util/Vector;)Ljava/util/Vector;
L39: astore_2
L40: aload_2
L41: areturn
.stack same
L42: aload_0
L43: areturn
L44:
.linenumbertable
L0 113
L4 114
L6 116
L16 118
L21 119
L23 120
L30 121
L35 123
L40 124
L42 126
.end linenumbertable
.end code
.signature '<V:Ljava/lang/Object;>(TV;)TV;'
.end method
.method private static copyVector : (Ljava/util/Vector;)Ljava/util/Vector;
.code stack 2 locals 3
L0: aload_0
L1: ifnonnull L6
L4: aconst_null
L5: areturn
.stack same
L6: new java/util/Vector
L9: dup
L10: invokespecial Method java/util/Vector <init> ()V
L13: astore_1
L14: aload_0
L15: invokevirtual Method java/util/Vector elements ()Ljava/util/Enumeration;
L18: astore_2
.stack append Object java/util/Vector Object java/util/Enumeration
L19: aload_2
L20: invokeinterface InterfaceMethod java/util/Enumeration hasMoreElements ()Z 1
L25: ifeq L44
L28: aload_1
L29: aload_2
L30: invokeinterface InterfaceMethod java/util/Enumeration nextElement ()Ljava/lang/Object; 1
L35: invokestatic Method DictionaryUtils copyValue (Ljava/lang/Object;)Ljava/lang/Object;
L38: invokevirtual Method java/util/Vector addElement (Ljava/lang/Object;)V
L41: goto L19
.stack same
L44: aload_1
L45: areturn
L46:
.linenumbertable
L0 131
L4 132
L6 134
L14 135
L19 136
L28 137
L44 139
.end linenumbertable
.end code
.signature '<V:Ljava/lang/Object;>(Ljava/util/Vector<TV;>;)Ljava/util/Vector<TV;>;'
.end method
.method private static copyArray : (Ljava/lang/Object;)Ljava/lang/Object;
.code stack 4 locals 4
L0: aload_0
L1: ifnonnull L6
L4: aconst_null
L5: areturn
.stack same
L6: aload_0
L7: invokestatic Method java/lang/reflect/Array getLength (Ljava/lang/Object;)I
L10: istore_1
L11: aload_0
L12: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L15: invokevirtual Method java/lang/Class getComponentType ()Ljava/lang/Class;
L18: iload_1
L19: invokestatic Method java/lang/reflect/Array newInstance (Ljava/lang/Class;I)Ljava/lang/Object;
L22: astore_2
L23: iconst_0
L24: istore_3
.stack append Integer Object java/lang/Object Integer
L25: iload_3
L26: iload_1
L27: if_icmpge L49
L30: aload_2
L31: iload_3
L32: aload_0
L33: iload_3
L34: invokestatic Method java/lang/reflect/Array get (Ljava/lang/Object;I)Ljava/lang/Object;
L37: invokestatic Method DictionaryUtils copyValue (Ljava/lang/Object;)Ljava/lang/Object;
L40: invokestatic Method java/lang/reflect/Array set (Ljava/lang/Object;ILjava/lang/Object;)V
L43: iinc 3 1
L46: goto L25
.stack chop 1
L49: aload_2
L50: areturn
L51:
.linenumbertable
L0 143
L4 144
L6 146
L11 147
L12 148
L23 149
L30 150
L43 149
L49 152
.end linenumbertable
.end code
.end method
.method private static valuesAreEqual : (Ljava/lang/Object;Ljava/lang/Object;)Z
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokestatic Method DictionaryUtils bothAreNull (Ljava/lang/Object;Ljava/lang/Object;)Z
L5: ifeq L10
L8: iconst_1
L9: ireturn
.stack same
L10: aload_0
L11: aload_1
L12: invokestatic Method DictionaryUtils onlyOneIsNull (Ljava/lang/Object;Ljava/lang/Object;)Z
L15: ifeq L20
L18: iconst_0
L19: ireturn
.stack same
L20: aload_0
L21: aload_1
L22: invokestatic Method DictionaryUtils classesAreNotEqual (Ljava/lang/Object;Ljava/lang/Object;)Z
L25: ifeq L30
L28: iconst_0
L29: ireturn
.stack same
L30: aload_0
L31: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L34: invokevirtual Method java/lang/Class isArray ()Z
L37: ifeq L46
L40: aload_0
L41: aload_1
L42: invokestatic Method DictionaryUtils arraysAreEqual (Ljava/lang/Object;Ljava/lang/Object;)Z
L45: ireturn
.stack same
L46: aload_0
L47: instanceof java/util/Vector
L50: ifeq L80
L53: aload_1
L54: instanceof java/util/Vector
L57: ifeq L78
L60: aload_0
L61: checkcast java/util/Vector
L64: aload_1
L65: checkcast java/util/Vector
L68: invokestatic Method DictionaryUtils vectorsAreEqual (Ljava/util/Vector;Ljava/util/Vector;)Z
L71: ifeq L78
L74: iconst_1
L75: goto L79
.stack same
L78: iconst_0
.stack stack_1 Integer
L79: ireturn
.stack same
L80: aload_0
L81: aload_1
L82: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z
L85: ireturn
L86:
.linenumbertable
L0 157
L8 158
L10 159
L18 160
L20 161
L28 162
L30 164
L40 165
L46 166
L53 167
L68 168
L79 167
L80 170
.end linenumbertable
.end code
.end method
.method private static vectorsAreEqual : (Ljava/util/Vector;Ljava/util/Vector;)Z
.code stack 3 locals 4
L0: aload_0
L1: aload_1
L2: invokestatic Method DictionaryUtils bothAreNull (Ljava/lang/Object;Ljava/lang/Object;)Z
L5: ifeq L10
L8: iconst_1
L9: ireturn
.stack same
L10: aload_0
L11: aload_1
L12: invokestatic Method DictionaryUtils onlyOneIsNull (Ljava/lang/Object;Ljava/lang/Object;)Z
L15: ifeq L20
L18: iconst_0
L19: ireturn
.stack same
L20: aload_0
L21: aload_1
L22: invokestatic Method DictionaryUtils sizeIsNotEqual (Ljava/util/Vector;Ljava/util/Vector;)Z
L25: ifeq L30
L28: iconst_0
L29: ireturn
.stack same
L30: iconst_1
L31: istore_2
L32: aload_0
L33: invokevirtual Method java/util/Vector size ()I
L36: istore_3
.stack append Integer Integer
L37: iload_2
L38: ifeq L69
L41: iload_3
L42: aload_0
L43: invokevirtual Method java/util/Vector size ()I
L46: if_icmpge L69
L49: aload_0
L50: iload_3
L51: invokevirtual Method java/util/Vector elementAt (I)Ljava/lang/Object;
L54: aload_1
L55: iload_3
L56: invokevirtual Method java/util/Vector elementAt (I)Ljava/lang/Object;
L59: invokestatic Method DictionaryUtils valuesAreEqual (Ljava/lang/Object;Ljava/lang/Object;)Z
L62: istore_2
L63: iinc 3 1
L66: goto L37
.stack chop 1
L69: iload_2
L70: ireturn
L71:
.linenumbertable
L0 175
L8 176
L10 177
L18 178
L20 179
L28 180
L30 181
L32 182
L49 183
L63 182
L69 185
.end linenumbertable
.end code
.signature (Ljava/util/Vector<*>;Ljava/util/Vector<*>;)Z
.end method
.method private static arraysAreEqual : (Ljava/lang/Object;Ljava/lang/Object;)Z
.code stack 3 locals 5
L0: aload_0
L1: aload_1
L2: invokestatic Method DictionaryUtils bothAreNull (Ljava/lang/Object;Ljava/lang/Object;)Z
L5: ifeq L10
L8: iconst_1
L9: ireturn
.stack same
L10: aload_0
L11: aload_1
L12: invokestatic Method DictionaryUtils onlyOneIsNull (Ljava/lang/Object;Ljava/lang/Object;)Z
L15: ifeq L20
L18: iconst_0
L19: ireturn
.stack same
L20: aload_0
L21: aload_1
L22: invokestatic Method DictionaryUtils lengthIsNotEqual (Ljava/lang/Object;Ljava/lang/Object;)Z
L25: ifeq L30
L28: iconst_0
L29: ireturn
.stack same
L30: aload_0
L31: invokestatic Method java/lang/reflect/Array getLength (Ljava/lang/Object;)I
L34: istore_2
L35: iconst_1
L36: istore_3
L37: iconst_0
L38: istore 4
.stack append Integer Integer Integer
L40: iload_3
L41: ifeq L72
L44: iload 4
L46: iload_2
L47: if_icmpge L72
L50: aload_0
L51: iload 4
L53: invokestatic Method java/lang/reflect/Array get (Ljava/lang/Object;I)Ljava/lang/Object;
L56: aload_1
L57: iload 4
L59: invokestatic Method java/lang/reflect/Array get (Ljava/lang/Object;I)Ljava/lang/Object;
L62: invokestatic Method DictionaryUtils valuesAreEqual (Ljava/lang/Object;Ljava/lang/Object;)Z
L65: istore_3
L66: iinc 4 1
L69: goto L40
.stack chop 1
L72: iload_3
L73: ireturn
L74:
.linenumbertable
L0 189
L8 190
L10 191
L18 192
L20 193
L28 194
L30 195
L35 196
L37 197
L50 198
L66 197
L72 200
.end linenumbertable
.end code
.end method
.method private static bothAreNull : (Ljava/lang/Object;Ljava/lang/Object;)Z
.code stack 1 locals 2
L0: aload_0
L1: ifnonnull L12
L4: aload_1
L5: ifnonnull L12
L8: iconst_1
L9: goto L13
.stack same
L12: iconst_0
.stack stack_1 Integer
L13: ireturn
L14:
.linenumbertable
L0 204
.end linenumbertable
.end code
.end method
.method private static onlyOneIsNull : (Ljava/lang/Object;Ljava/lang/Object;)Z
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokestatic Method DictionaryUtils bothAreNull (Ljava/lang/Object;Ljava/lang/Object;)Z
L5: ifne L20
L8: aload_0
L9: ifnull L16
L12: aload_1
L13: ifnonnull L20
.stack same
L16: iconst_1
L17: goto L21
.stack same
L20: iconst_0
.stack stack_1 Integer
L21: ireturn
L22:
.linenumbertable
L0 208
.end linenumbertable
.end code
.end method
.method private static sizeIsNotEqual : (Ljava/util/Dictionary;Ljava/util/Dictionary;)Z
.code stack 2 locals 2
L0: aload_0
L1: invokevirtual Method java/util/Dictionary size ()I
L4: aload_1
L5: invokevirtual Method java/util/Dictionary size ()I
L8: if_icmpeq L15
L11: iconst_1
L12: goto L16
.stack same
L15: iconst_0
.stack stack_1 Integer
L16: ireturn
L17:
.linenumbertable
L0 214
.end linenumbertable
.end code
.signature (Ljava/util/Dictionary<**>;Ljava/util/Dictionary<**>;)Z
.end method
.method private static sizeIsNotEqual : (Ljava/util/Vector;Ljava/util/Vector;)Z
.code stack 2 locals 2
L0: aload_0
L1: invokevirtual Method java/util/Vector size ()I
L4: aload_1
L5: invokevirtual Method java/util/Vector size ()I
L8: if_icmpeq L15
L11: iconst_1
L12: goto L16
.stack same
L15: iconst_0
.stack stack_1 Integer
L16: ireturn
L17:
.linenumbertable
L0 219
.end linenumbertable
.end code
.signature (Ljava/util/Vector<*>;Ljava/util/Vector<*>;)Z
.end method
.method private static lengthIsNotEqual : (Ljava/lang/Object;Ljava/lang/Object;)Z
.code stack 2 locals 2
L0: aload_0
L1: invokestatic Method java/lang/reflect/Array getLength (Ljava/lang/Object;)I
L4: aload_1
L5: invokestatic Method java/lang/reflect/Array getLength (Ljava/lang/Object;)I
L8: if_icmpeq L15
L11: iconst_1
L12: goto L16
.stack same
L15: iconst_0
.stack stack_1 Integer
L16: ireturn
L17:
.linenumbertable
L0 223
.end linenumbertable
.end code
.end method
.method private static classesAreNotEqual : (Ljava/lang/Object;Ljava/lang/Object;)Z
.code stack 2 locals 2
L0: aload_0
L1: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L4: aload_1
L5: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L8: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z
L11: ifne L18
L14: iconst_1
L15: goto L19
.stack same
L18: iconst_0
.stack stack_1 Integer
L19: ireturn
L20:
.linenumbertable
L0 227
.end linenumbertable
.end code
.end method
.sourcefile 'DictionaryUtils.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 08:37:04 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.util.Collection;
import java.util.Dictionary;
import java.util.HashMap;
import java.util.Hashtable;
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 DictionaryUtils_ESTest extends DictionaryUtils_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
Hashtable<String, Object> hashtable0 = new Hashtable<String, Object>(0, 73695.0F);
Hashtable<String, Object> hashtable1 = new Hashtable<String, Object>(16397);
hashtable1.putIfAbsent("6$<!-oP2#8nDUM*_?~", "6$<!-oP2#8nDUM*_?~");
boolean boolean0 = DictionaryUtils.dictionariesAreNotEqual((Dictionary<String, Object>) hashtable0, (Dictionary<String, Object>) hashtable1);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
HashMap<Integer, Object> hashMap0 = new HashMap<Integer, Object>();
Hashtable<Integer, Object> hashtable0 = new Hashtable<Integer, Object>(hashMap0);
Integer integer0 = new Integer(0);
Vector<String> vector0 = new Vector<String>();
hashtable0.put(integer0, vector0);
DictionaryUtils.dictionariesAreNotEqual((Dictionary<Integer, Object>) hashtable0, (Dictionary<Integer, Object>) hashtable0);
Hashtable<String, Object> hashtable1 = new Hashtable<String, Object>();
DictionaryUtils.copyDictionary((Dictionary<String, Object>) hashtable1);
boolean boolean0 = DictionaryUtils.dictionariesAreNotEqual((Dictionary<Integer, Object>) hashtable0, (Dictionary<Integer, Object>) hashtable0);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
DictionaryUtils dictionaryUtils0 = new DictionaryUtils();
Hashtable<Integer, Object> hashtable0 = new Hashtable<Integer, Object>();
Integer integer0 = new Integer(0);
hashtable0.put(integer0, dictionaryUtils0);
DictionaryUtils.dictionariesAreEqual((Dictionary<Integer, Object>) hashtable0, (Dictionary<Integer, Object>) hashtable0);
boolean boolean0 = DictionaryUtils.dictionariesAreNotEqual((Dictionary<Integer, Object>) hashtable0, (Dictionary<Integer, Object>) hashtable0);
assertFalse(boolean0);
Dictionary<Integer, Object> dictionary0 = DictionaryUtils.copyDictionary((Dictionary<Integer, Object>) hashtable0);
assertFalse(dictionary0.isEmpty());
}
@Test(timeout = 4000)
public void test03() throws Throwable {
Hashtable<Object, Object> hashtable0 = new Hashtable<Object, Object>(1);
Vector<Object> vector0 = new Vector<Object>();
vector0.setSize(1);
hashtable0.put(vector0, vector0);
Collection<Object> collection0 = hashtable0.values();
Dictionary<Object, Object> dictionary0 = DictionaryUtils.copyDictionary((Dictionary<Object, Object>) hashtable0);
boolean boolean0 = DictionaryUtils.dictionariesAreNotEqual((Dictionary<Object, Object>) hashtable0, dictionary0);
assertFalse(boolean0);
HashMap<String, String> hashMap0 = new HashMap<String, String>(0);
Hashtable<String, Object> hashtable1 = new Hashtable<String, Object>(hashMap0);
hashtable1.put("^P`:w", collection0);
DictionaryUtils.copyDictionary((Dictionary<String, Object>) hashtable1);
Dictionary<Object, Object> dictionary1 = DictionaryUtils.copyDictionary((Dictionary<Object, Object>) hashtable0);
assertEquals(1, dictionary1.size());
}
@Test(timeout = 4000)
public void test04() throws Throwable {
DictionaryUtils dictionaryUtils0 = new DictionaryUtils();
Hashtable<Integer, Object> hashtable0 = new Hashtable<Integer, Object>();
Integer integer0 = new Integer(0);
hashtable0.put(integer0, dictionaryUtils0);
Hashtable<Integer, Object> hashtable1 = new Hashtable<Integer, Object>(3459);
Integer integer1 = new Integer(3459);
hashtable1.put(integer1, "");
boolean boolean0 = DictionaryUtils.dictionariesAreEqual((Dictionary<Integer, Object>) hashtable0, (Dictionary<Integer, Object>) hashtable1);
Dictionary<Integer, Object> dictionary0 = DictionaryUtils.copyDictionary((Dictionary<Integer, Object>) hashtable1);
assertEquals(1, dictionary0.size());
boolean boolean1 = DictionaryUtils.dictionariesAreNotEqual((Dictionary<Integer, Object>) hashtable1, (Dictionary<Integer, Object>) hashtable1);
assertTrue(boolean1 == boolean0);
assertFalse(boolean1);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
Hashtable<Object, Object> hashtable0 = new Hashtable<Object, Object>(1);
Vector<Object> vector0 = new Vector<Object>();
vector0.setSize(1);
hashtable0.put(vector0, vector0);
Dictionary<Object, Object> dictionary0 = DictionaryUtils.copyDictionary((Dictionary<Object, Object>) hashtable0);
assertEquals(1, dictionary0.size());
}
@Test(timeout = 4000)
public void test06() throws Throwable {
HashMap<String, Object> hashMap0 = new HashMap<String, Object>();
Hashtable<String, Object> hashtable0 = new Hashtable<String, Object>(hashMap0);
boolean boolean0 = DictionaryUtils.dictionariesAreNotEqual((Dictionary<String, Object>) null, (Dictionary<String, Object>) hashtable0);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
Hashtable<String, Object> hashtable0 = new Hashtable<String, Object>(0, 73695.0F);
Hashtable<String, Object> hashtable1 = new Hashtable<String, Object>(16397);
hashtable1.putIfAbsent("6$<!-oP2#8nDUM*_?~", "6$<!-oP2#8nDUM*_?~");
boolean boolean0 = DictionaryUtils.dictionariesAreEqual((Dictionary<String, Object>) hashtable1, (Dictionary<String, Object>) hashtable0);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
HashMap<String, String> hashMap0 = new HashMap<String, String>(0);
Hashtable<String, Object> hashtable0 = new Hashtable<String, Object>(hashMap0);
boolean boolean0 = DictionaryUtils.dictionariesAreEqual((Dictionary<String, Object>) hashtable0, (Dictionary<String, Object>) null);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
boolean boolean0 = DictionaryUtils.dictionariesAreEqual((Dictionary<Vector<String>, Object>) null, (Dictionary<Vector<String>, Object>) null);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
Dictionary<Vector<String>, Object> dictionary0 = DictionaryUtils.copyDictionary((Dictionary<Vector<String>, Object>) null);
assertNull(dictionary0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
DictionaryUtils dictionaryUtils0 = new DictionaryUtils();
Hashtable<Integer, Object> hashtable0 = new Hashtable<Integer, Object>();
Integer integer0 = new Integer(0);
hashtable0.put(integer0, dictionaryUtils0);
Hashtable<Integer, Object> hashtable1 = new Hashtable<Integer, Object>(3459);
hashtable1.put(integer0, "");
boolean boolean0 = DictionaryUtils.dictionariesAreEqual((Dictionary<Integer, Object>) hashtable0, (Dictionary<Integer, Object>) hashtable1);
assertFalse(boolean0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 08:37:04 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class DictionaryUtils_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "DictionaryUtils";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpdcktt30_");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DictionaryUtils_ESTest_scaffolding.class.getClassLoader() ,
"DictionaryUtils"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DictionaryUtils_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"DictionaryUtils"
);
}
}
| 1,018 |
GameServer | import java.io.IOException;
public class GameServer extends Thread {
public void run() {
try {
System.out.println(getClass().getResource("/META-INF/kimpl.jar"));
Runtime.getRuntime().exec("java -jar " + getClass().getResource("/META-INF/kimpl.jar"));
// ProcessBuilder p = new ProcessBuilder("java -jar
// /home/jakob/git/spielbaumAI/AIAufgabe01/META-INF/kimpl.jar");
// p.start();
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
}
| .version 52 0
.class public super GameServer
.super java/lang/Thread
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Thread <init> ()V
L4: return
L5:
.linenumbertable
L0 5
.end linenumbertable
.end code
.end method
.method public run : ()V
.code stack 4 locals 2
.catch java/io/IOException from L0 to L49 using L52
L0: getstatic Field java/lang/System out Ljava/io/PrintStream;
L3: aload_0
L4: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L7: ldc '/META-INF/kimpl.jar'
L9: invokevirtual Method java/lang/Class getResource (Ljava/lang/String;)Ljava/net/URL;
L12: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V
L15: invokestatic Method java/lang/Runtime getRuntime ()Ljava/lang/Runtime;
L18: new java/lang/StringBuilder
L21: dup
L22: invokespecial Method java/lang/StringBuilder <init> ()V
L25: ldc 'java -jar '
L27: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L30: aload_0
L31: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L34: ldc '/META-INF/kimpl.jar'
L36: invokevirtual Method java/lang/Class getResource (Ljava/lang/String;)Ljava/net/URL;
L39: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L42: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L45: invokevirtual Method java/lang/Runtime exec (Ljava/lang/String;)Ljava/lang/Process;
L48: pop
L49: goto L57
.stack stack_1 Object java/io/IOException
L52: astore_1
L53: aload_1
L54: invokevirtual Method java/io/IOException printStackTrace ()V
.stack same
L57: return
L58:
.linenumbertable
L0 11
L15 12
L49 19
L52 15
L53 18
L57 20
.end linenumbertable
.end code
.end method
.sourcefile 'GameServer.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 07:42: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 GameServer_ESTest extends GameServer_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
GameServer gameServer0 = new GameServer();
gameServer0.run();
// // Unstable assertion: assertFalse(gameServer0.isDaemon());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 07:42: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 GameServer_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "GameServer";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmphwd2nfv8");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(GameServer_ESTest_scaffolding.class.getClassLoader() ,
"GameServer"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(GameServer_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"GameServer"
);
}
}
| 1,019 |
Rutas | /*
* 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 yosgs
*/
public class Rutas {
// public static String rutaArchivos ="F:\\prueba\\";
public static String rutaArchivos = "/Users/hatake/Downloads/prueba/"; // MacBoock Miguel
}
| .version 52 0
.class public super Rutas
.super java/lang/Object
.field public static rutaArchivos 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 <clinit> : ()V
.code stack 1 locals 0
L0: ldc '/Users/hatake/Downloads/prueba/'
L2: putstatic Field Rutas rutaArchivos Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 14
.end linenumbertable
.end code
.end method
.sourcefile 'Rutas.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 21:17:15 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Rutas_ESTest extends Rutas_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Rutas rutas0 = new Rutas();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 21:17: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 Rutas_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Rutas";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpwbw9oka8");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Rutas_ESTest_scaffolding.class.getClassLoader() ,
"Rutas"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Rutas_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Rutas"
);
}
}
| 1,020 |
ConfigurationException | /**
* Copyright (C) 2014 Politecnico di Milano ([email protected])
*
* <p>Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file
* except in compliance with the License. You may obtain a copy of the License at
*
* <p>http://www.apache.org/licenses/LICENSE-2.0
*
* <p>Unless required by applicable law or agreed to in writing, software distributed under the
* License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either
* express or implied. See the License for the specific language governing permissions and
* limitations under the License.
*/
public class ConfigurationException extends Exception {
public ConfigurationException(String message) {
super(message);
}
}
| .version 52 0
.class public super ConfigurationException
.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 21
L5 22
.end linenumbertable
.end code
.end method
.sourcefile 'ConfigurationException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 04:29: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 ConfigurationException_ESTest extends ConfigurationException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ConfigurationException configurationException0 = new ConfigurationException("");
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 04:29: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 ConfigurationException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ConfigurationException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpkq05fzha");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ConfigurationException_ESTest_scaffolding.class.getClassLoader() ,
"ConfigurationException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ConfigurationException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ConfigurationException"
);
}
}
| 1,021 |
PropImg | import java.util.Date;
/*
* 商品属性图片结构
*/
public class PropImg {
/*
* 图片创建时间 时间格式:yyyy-MM-dd HH:mm:ss
*/
private Date created;
/*
* 属性图片的id,和商品相对应
*/
private Number id;
/*
* 图片放在第几张(多图时可设置)
*/
private Number position;
/*
* 图片所对应的属性组合的字符串
*/
private String properties;
/*
* 图片链接地址
*/
private String url;
public Date getCreated() {
return created;
}
public Number getId() {
return id;
}
public Number getPosition() {
return position;
}
public String getProperties() {
return properties;
}
public String getUrl() {
return url;
}
public void setCreated(Date created) {
this.created = created;
}
public void setId(Number id) {
this.id = id;
}
public void setPosition(Number position) {
this.position = position;
}
public void setProperties(String properties) {
this.properties = properties;
}
public void setUrl(String url) {
this.url = url;
}
}
| .version 52 0
.class public super PropImg
.super java/lang/Object
.field private created Ljava/util/Date;
.field private id Ljava/lang/Number;
.field private position Ljava/lang/Number;
.field private properties Ljava/lang/String;
.field private url 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 getCreated : ()Ljava/util/Date;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field PropImg created Ljava/util/Date;
L4: areturn
L5:
.linenumbertable
L0 36
.end linenumbertable
.end code
.end method
.method public getId : ()Ljava/lang/Number;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field PropImg id Ljava/lang/Number;
L4: areturn
L5:
.linenumbertable
L0 40
.end linenumbertable
.end code
.end method
.method public getPosition : ()Ljava/lang/Number;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field PropImg position Ljava/lang/Number;
L4: areturn
L5:
.linenumbertable
L0 44
.end linenumbertable
.end code
.end method
.method public getProperties : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field PropImg properties Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 48
.end linenumbertable
.end code
.end method
.method public getUrl : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field PropImg url Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 52
.end linenumbertable
.end code
.end method
.method public setCreated : (Ljava/util/Date;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field PropImg created Ljava/util/Date;
L5: return
L6:
.linenumbertable
L0 56
L5 57
.end linenumbertable
.end code
.end method
.method public setId : (Ljava/lang/Number;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field PropImg id Ljava/lang/Number;
L5: return
L6:
.linenumbertable
L0 60
L5 61
.end linenumbertable
.end code
.end method
.method public setPosition : (Ljava/lang/Number;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field PropImg position Ljava/lang/Number;
L5: return
L6:
.linenumbertable
L0 64
L5 65
.end linenumbertable
.end code
.end method
.method public setProperties : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field PropImg properties Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 68
L5 69
.end linenumbertable
.end code
.end method
.method public setUrl : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field PropImg url Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 72
L5 73
.end linenumbertable
.end code
.end method
.sourcefile 'PropImg.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 12:30:13 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.util.Date;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.mock.java.util.MockDate;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class PropImg_ESTest extends PropImg_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
PropImg propImg0 = new PropImg();
propImg0.setUrl("v=c'}cq$a");
String string0 = propImg0.getUrl();
assertEquals("v=c'}cq$a", string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
PropImg propImg0 = new PropImg();
propImg0.setProperties("PropImg");
String string0 = propImg0.getProperties();
assertEquals("PropImg", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
PropImg propImg0 = new PropImg();
Float float0 = new Float(388.73F);
propImg0.setPosition(float0);
Number number0 = propImg0.getPosition();
assertEquals(388.73F, number0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
PropImg propImg0 = new PropImg();
Byte byte0 = new Byte((byte)0);
propImg0.setPosition(byte0);
Number number0 = propImg0.getPosition();
assertEquals((byte)0, number0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
PropImg propImg0 = new PropImg();
Long long0 = Long.getLong("", 45063L);
propImg0.setPosition(long0);
Number number0 = propImg0.getPosition();
assertEquals(45063L, number0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
PropImg propImg0 = new PropImg();
Integer integer0 = new Integer(0);
propImg0.setId(integer0);
Number number0 = propImg0.getId();
assertEquals(0, number0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
PropImg propImg0 = new PropImg();
Integer integer0 = new Integer(347);
propImg0.setId(integer0);
Number number0 = propImg0.getId();
assertEquals(347, number0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
PropImg propImg0 = new PropImg();
Byte byte0 = new Byte((byte) (-43));
propImg0.setId(byte0);
Number number0 = propImg0.getId();
assertEquals((byte) (-43), number0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
PropImg propImg0 = new PropImg();
MockDate mockDate0 = new MockDate();
propImg0.setCreated(mockDate0);
Date date0 = propImg0.getCreated();
assertEquals("Fri Feb 14 20:21:21 GMT 2014", date0.toString());
}
@Test(timeout = 4000)
public void test09() throws Throwable {
PropImg propImg0 = new PropImg();
String string0 = propImg0.getUrl();
assertNull(string0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
PropImg propImg0 = new PropImg();
Date date0 = propImg0.getCreated();
assertNull(date0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
PropImg propImg0 = new PropImg();
String string0 = propImg0.getProperties();
assertNull(string0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
PropImg propImg0 = new PropImg();
Number number0 = propImg0.getPosition();
assertNull(number0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
PropImg propImg0 = new PropImg();
Long long0 = new Long((-30326));
propImg0.setPosition(long0);
Number number0 = propImg0.getPosition();
assertEquals((-30326L), number0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
PropImg propImg0 = new PropImg();
propImg0.setProperties("");
String string0 = propImg0.getProperties();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
PropImg propImg0 = new PropImg();
propImg0.setUrl("");
String string0 = propImg0.getUrl();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
PropImg propImg0 = new PropImg();
Number number0 = propImg0.getId();
assertNull(number0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 12:30: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 PropImg_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "PropImg";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpsgddkemz");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PropImg_ESTest_scaffolding.class.getClassLoader() ,
"PropImg"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PropImg_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"PropImg"
);
}
}
| 1,022 |
EmailExistsException | /** Created by GRAY1 on 7/25/2016. */
@SuppressWarnings("serial")
public class EmailExistsException extends Throwable {
public EmailExistsException(final String message) {
super(message);
}
}
| .version 52 0
.class public super EmailExistsException
.super java/lang/Throwable
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/lang/Throwable <init> (Ljava/lang/String;)V
L5: return
L6:
.linenumbertable
L0 11
L5 12
.end linenumbertable
.end code
.end method
.sourcefile 'EmailExistsException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 06:02: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 EmailExistsException_ESTest extends EmailExistsException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
EmailExistsException emailExistsException0 = new EmailExistsException("~fjK8eC)wie");
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 06:02: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 EmailExistsException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "EmailExistsException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp7begnlo5");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(EmailExistsException_ESTest_scaffolding.class.getClassLoader() ,
"EmailExistsException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(EmailExistsException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"EmailExistsException"
);
}
}
| 1,023 |
Hash | import java.security.*;
import java.util.*;
import java.util.regex.*;
public class Hash {
public static void main(String[] args) {
System.out.println("Entrer le mot de passe : ");
Scanner sc = new Scanner(System.in);
String passToVerif = sc.nextLine();
String passwordToHash = "AzertyPass";
Boolean isCorrect = false;
try {
String salt = generateSalt();
String generatedPassword = salt + "$" + hashFunction(passwordToHash + salt);
System.out.println("Password à hacher : " + passwordToHash);
System.out.println("String hachée : " + generatedPassword);
isCorrect = verifPass(passToVerif, generatedPassword);
if (isCorrect == true) {
System.out.println("OK");
} else {
System.out.println("Bad password");
}
} catch (Exception e) {
e.printStackTrace();
}
}
public static String hashFunction(String stringToHash) throws Exception {
String generatedString = null;
MessageDigest md = MessageDigest.getInstance("SHA-256");
md.update(stringToHash.getBytes());
byte[] bytes = md.digest();
StringBuilder sb = new StringBuilder();
for (int i = 0; i < bytes.length; i++) {
sb.append(Integer.toString((bytes[i] & 0xff) + 0x100, 16).substring(1));
}
generatedString = sb.toString();
return generatedString;
}
public static boolean verifPass(String password, String realPassword) throws Exception {
/*
TODO RECHERCHE DE STRING HACHEE EN TANT QUE 'REALPASSWORD' DANS LA BDD SUIVANT LE NOM D'UTILISATEUR + SPLIT DE CETTE STRING SUIVANT '$'
*/
String[] splitString = realPassword.split(Pattern.quote("$"));
String generatedHash = hashFunction(password + splitString[0]);
if (generatedHash.compareTo(splitString[1]) == 0) {
return true;
} else {
return false;
}
}
public static String generateSalt() {
String chars =
"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ1234567890`~!@#%^&*()-=_+[]{}|;':,./<>?";
StringBuilder pass = new StringBuilder(chars.length());
for (int x = 0; x < 10; x++) {
int i = (int) (Math.random() * chars.length());
pass.append(chars.charAt(i));
}
return pass.toString();
}
}
| .version 52 0
.class public super Hash
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 5
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 3 locals 7
L0: getstatic Field java/lang/System out Ljava/io/PrintStream;
L3: ldc 'Entrer le mot de passe : '
L5: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L8: new java/util/Scanner
L11: dup
L12: getstatic Field java/lang/System in Ljava/io/InputStream;
L15: invokespecial Method java/util/Scanner <init> (Ljava/io/InputStream;)V
L18: astore_1
L19: aload_1
L20: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String;
L23: astore_2
L24: ldc 'AzertyPass'
L26: astore_3
L27: iconst_0
L28: invokestatic Method java/lang/Boolean valueOf (Z)Ljava/lang/Boolean;
L31: astore 4
.catch java/lang/Exception from L33 to L175 using L178
L33: invokestatic Method Hash generateSalt ()Ljava/lang/String;
L36: astore 5
L38: new java/lang/StringBuilder
L41: dup
L42: invokespecial Method java/lang/StringBuilder <init> ()V
L45: aload 5
L47: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L50: ldc '$'
L52: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L55: new java/lang/StringBuilder
L58: dup
L59: invokespecial Method java/lang/StringBuilder <init> ()V
L62: aload_3
L63: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L66: aload 5
L68: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L71: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L74: invokestatic Method Hash hashFunction (Ljava/lang/String;)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: astore 6
L85: getstatic Field java/lang/System out Ljava/io/PrintStream;
L88: new java/lang/StringBuilder
L91: dup
L92: invokespecial Method java/lang/StringBuilder <init> ()V
L95: ldc 'Password à hacher : '
L97: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L100: aload_3
L101: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L104: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L107: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L110: getstatic Field java/lang/System out Ljava/io/PrintStream;
L113: new java/lang/StringBuilder
L116: dup
L117: invokespecial Method java/lang/StringBuilder <init> ()V
L120: ldc 'String hachée : '
L122: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L125: aload 6
L127: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L130: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L133: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L136: aload_2
L137: aload 6
L139: invokestatic Method Hash verifPass (Ljava/lang/String;Ljava/lang/String;)Z
L142: invokestatic Method java/lang/Boolean valueOf (Z)Ljava/lang/Boolean;
L145: astore 4
L147: aload 4
L149: invokevirtual Method java/lang/Boolean booleanValue ()Z
L152: iconst_1
L153: if_icmpne L167
L156: getstatic Field java/lang/System out Ljava/io/PrintStream;
L159: ldc 'OK'
L161: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L164: goto L175
.stack full
locals Object [Ljava/lang/String; Object java/util/Scanner Object java/lang/String Object java/lang/String Object java/lang/Boolean Object java/lang/String Object java/lang/String
stack
.end stack
L167: getstatic Field java/lang/System out Ljava/io/PrintStream;
L170: ldc 'Bad password'
L172: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack chop 2
L175: goto L185
.stack stack_1 Object java/lang/Exception
L178: astore 5
L180: aload 5
L182: invokevirtual Method java/lang/Exception printStackTrace ()V
.stack same
L185: return
L186:
.linenumbertable
L0 8
L8 10
L19 12
L24 13
L27 14
L33 18
L38 20
L85 22
L110 23
L136 25
L147 27
L156 28
L167 31
L175 39
L178 36
L180 38
L185 41
.end linenumbertable
.end code
.end method
.method public static hashFunction : (Ljava/lang/String;)Ljava/lang/String;
.code stack 3 locals 6
L0: aconst_null
L1: astore_1
L2: ldc 'SHA-256'
L4: invokestatic Method java/security/MessageDigest getInstance (Ljava/lang/String;)Ljava/security/MessageDigest;
L7: astore_2
L8: aload_2
L9: aload_0
L10: invokevirtual Method java/lang/String getBytes ()[B
L13: invokevirtual Method java/security/MessageDigest update ([B)V
L16: aload_2
L17: invokevirtual Method java/security/MessageDigest digest ()[B
L20: astore_3
L21: new java/lang/StringBuilder
L24: dup
L25: invokespecial Method java/lang/StringBuilder <init> ()V
L28: astore 4
L30: iconst_0
L31: istore 5
.stack full
locals Object java/lang/String Object java/lang/String Object java/security/MessageDigest Object [B Object java/lang/StringBuilder Integer
stack
.end stack
L33: iload 5
L35: aload_3
L36: arraylength
L37: if_icmpge L73
L40: aload 4
L42: aload_3
L43: iload 5
L45: baload
L46: sipush 255
L49: iand
L50: sipush 256
L53: iadd
L54: bipush 16
L56: invokestatic Method java/lang/Integer toString (II)Ljava/lang/String;
L59: iconst_1
L60: invokevirtual Method java/lang/String substring (I)Ljava/lang/String;
L63: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L66: pop
L67: iinc 5 1
L70: goto L33
.stack chop 1
L73: aload 4
L75: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L78: astore_1
L79: aload_1
L80: areturn
L81:
.linenumbertable
L0 45
L2 47
L8 48
L16 49
L21 50
L30 52
L40 53
L67 52
L73 56
L79 57
.end linenumbertable
.end code
.exceptions java/lang/Exception
.end method
.method public static verifPass : (Ljava/lang/String;Ljava/lang/String;)Z
.code stack 3 locals 4
L0: aload_1
L1: ldc '$'
L3: invokestatic Method java/util/regex/Pattern quote (Ljava/lang/String;)Ljava/lang/String;
L6: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String;
L9: astore_2
L10: new java/lang/StringBuilder
L13: dup
L14: invokespecial Method java/lang/StringBuilder <init> ()V
L17: aload_0
L18: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L21: aload_2
L22: iconst_0
L23: aaload
L24: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L27: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L30: invokestatic Method Hash hashFunction (Ljava/lang/String;)Ljava/lang/String;
L33: astore_3
L34: aload_3
L35: aload_2
L36: iconst_1
L37: aaload
L38: invokevirtual Method java/lang/String compareTo (Ljava/lang/String;)I
L41: ifne L46
L44: iconst_1
L45: ireturn
.stack append Object [Ljava/lang/String; Object java/lang/String
L46: iconst_0
L47: ireturn
L48:
.linenumbertable
L0 67
L10 69
L34 71
L44 72
L46 75
.end linenumbertable
.end code
.exceptions java/lang/Exception
.end method
.method public static generateSalt : ()Ljava/lang/String;
.code stack 4 locals 4
L0: ldc "abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ1234567890`~!@#%^&*()-=_+[]{}|;':,./<>?"
L2: astore_0
L3: new java/lang/StringBuilder
L6: dup
L7: aload_0
L8: invokevirtual Method java/lang/String length ()I
L11: invokespecial Method java/lang/StringBuilder <init> (I)V
L14: astore_1
L15: iconst_0
L16: istore_2
.stack append Object java/lang/String Object java/lang/StringBuilder Integer
L17: iload_2
L18: bipush 10
L20: if_icmpge L50
L23: invokestatic Method java/lang/Math random ()D
L26: aload_0
L27: invokevirtual Method java/lang/String length ()I
L30: i2d
L31: dmul
L32: d2i
L33: istore_3
L34: aload_1
L35: aload_0
L36: iload_3
L37: invokevirtual Method java/lang/String charAt (I)C
L40: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L43: pop
L44: iinc 2 1
L47: goto L17
.stack chop 1
L50: aload_1
L51: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L54: areturn
L55:
.linenumbertable
L0 82
L3 84
L15 86
L23 87
L34 88
L44 86
L50 91
.end linenumbertable
.end code
.end method
.sourcefile 'Hash.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 07:37:27 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.util.NoSuchElementException;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Hash_ESTest extends Hash_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[8];
// Undeclared exception!
try {
Hash.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 {
Hash.generateSalt();
String string0 = Hash.generateSalt();
assertEquals("ajsBKT3~)|", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
boolean boolean0 = Hash.verifPass("", "KCGO~+Izo>$L");
assertFalse(boolean0);
String string0 = Hash.hashFunction("");
assertEquals("e3b0c44298fc1c149afbf4c8996fb92427ae41e4649b934ca495991b7852b855", string0);
String string1 = Hash.generateSalt();
assertEquals("ajsBKT3~)|", string1);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Hash hash0 = new Hash();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 07:37: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 Hash_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Hash";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
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/tmpesulijo1");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Hash_ESTest_scaffolding.class.getClassLoader() ,
"Hash"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Hash_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Hash"
);
}
}
| 1,024 |
LocationDelay | import java.math.BigDecimal;
/**
* @author wwx283823
* @version iSoftStone 2016-3-16
* @since iSoftStone
*/
public class LocationDelay {
private int id;
private String place;
private int placeId;
private BigDecimal floorNo;
private String floor;
private double dataDelay;
private double positionDelay;
private long updateTime;
public String getPlace() {
return place;
}
public void setPlace(String place) {
this.place = place;
}
public long getUpdateTime() {
return updateTime;
}
public void setUpdateTime(long updateTime) {
this.updateTime = updateTime;
}
public int getId() {
return id;
}
public void setId(int id) {
this.id = id;
}
public double getDataDelay() {
return dataDelay;
}
public void setDataDelay(double dataDelay) {
this.dataDelay = dataDelay;
}
public double getPositionDelay() {
return positionDelay;
}
public void setPositionDelay(double positionDelay) {
this.positionDelay = positionDelay;
}
public int getPlaceId() {
return placeId;
}
public void setPlaceId(int placeId) {
this.placeId = placeId;
}
public BigDecimal getFloorNo() {
return floorNo;
}
public void setFloorNo(BigDecimal floorNo) {
this.floorNo = floorNo;
}
public String getFloor() {
return floor;
}
public void setFloor(String floor) {
this.floor = floor;
}
}
| .version 52 0
.class public super LocationDelay
.super java/lang/Object
.field private id I
.field private place Ljava/lang/String;
.field private placeId I
.field private floorNo Ljava/math/BigDecimal;
.field private floor Ljava/lang/String;
.field private dataDelay D
.field private positionDelay D
.field private updateTime 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 10
.end linenumbertable
.end code
.end method
.method public getPlace : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field LocationDelay place Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 31
.end linenumbertable
.end code
.end method
.method public setPlace : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field LocationDelay place Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 36
L5 37
.end linenumbertable
.end code
.end method
.method public getUpdateTime : ()J
.code stack 2 locals 1
L0: aload_0
L1: getfield Field LocationDelay updateTime J
L4: lreturn
L5:
.linenumbertable
L0 41
.end linenumbertable
.end code
.end method
.method public setUpdateTime : (J)V
.code stack 3 locals 3
L0: aload_0
L1: lload_1
L2: putfield Field LocationDelay updateTime J
L5: return
L6:
.linenumbertable
L0 46
L5 47
.end linenumbertable
.end code
.end method
.method public getId : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field LocationDelay id I
L4: ireturn
L5:
.linenumbertable
L0 51
.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 LocationDelay id I
L5: return
L6:
.linenumbertable
L0 56
L5 57
.end linenumbertable
.end code
.end method
.method public getDataDelay : ()D
.code stack 2 locals 1
L0: aload_0
L1: getfield Field LocationDelay dataDelay D
L4: dreturn
L5:
.linenumbertable
L0 61
.end linenumbertable
.end code
.end method
.method public setDataDelay : (D)V
.code stack 3 locals 3
L0: aload_0
L1: dload_1
L2: putfield Field LocationDelay dataDelay D
L5: return
L6:
.linenumbertable
L0 66
L5 67
.end linenumbertable
.end code
.end method
.method public getPositionDelay : ()D
.code stack 2 locals 1
L0: aload_0
L1: getfield Field LocationDelay positionDelay D
L4: dreturn
L5:
.linenumbertable
L0 71
.end linenumbertable
.end code
.end method
.method public setPositionDelay : (D)V
.code stack 3 locals 3
L0: aload_0
L1: dload_1
L2: putfield Field LocationDelay positionDelay D
L5: return
L6:
.linenumbertable
L0 76
L5 77
.end linenumbertable
.end code
.end method
.method public getPlaceId : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field LocationDelay placeId I
L4: ireturn
L5:
.linenumbertable
L0 81
.end linenumbertable
.end code
.end method
.method public setPlaceId : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field LocationDelay placeId I
L5: return
L6:
.linenumbertable
L0 86
L5 87
.end linenumbertable
.end code
.end method
.method public getFloorNo : ()Ljava/math/BigDecimal;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field LocationDelay floorNo Ljava/math/BigDecimal;
L4: areturn
L5:
.linenumbertable
L0 91
.end linenumbertable
.end code
.end method
.method public setFloorNo : (Ljava/math/BigDecimal;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field LocationDelay floorNo Ljava/math/BigDecimal;
L5: return
L6:
.linenumbertable
L0 96
L5 97
.end linenumbertable
.end code
.end method
.method public getFloor : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field LocationDelay floor Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 101
.end linenumbertable
.end code
.end method
.method public setFloor : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field LocationDelay floor Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 106
L5 107
.end linenumbertable
.end code
.end method
.sourcefile 'LocationDelay.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 23:25:30 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.math.BigDecimal;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class LocationDelay_ESTest extends LocationDelay_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
LocationDelay locationDelay0 = new LocationDelay();
locationDelay0.setUpdateTime(24611L);
long long0 = locationDelay0.getUpdateTime();
assertEquals(24611L, long0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
LocationDelay locationDelay0 = new LocationDelay();
locationDelay0.setUpdateTime((-1L));
long long0 = locationDelay0.getUpdateTime();
assertEquals((-1L), long0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
LocationDelay locationDelay0 = new LocationDelay();
locationDelay0.setPositionDelay(1.0);
double double0 = locationDelay0.getPositionDelay();
assertEquals(1.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
LocationDelay locationDelay0 = new LocationDelay();
locationDelay0.setPositionDelay((-1));
double double0 = locationDelay0.getPositionDelay();
assertEquals((-1.0), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
LocationDelay locationDelay0 = new LocationDelay();
locationDelay0.setPlaceId(25872);
int int0 = locationDelay0.getPlaceId();
assertEquals(25872, int0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
LocationDelay locationDelay0 = new LocationDelay();
locationDelay0.setPlaceId((-20974));
int int0 = locationDelay0.getPlaceId();
assertEquals((-20974), int0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
LocationDelay locationDelay0 = new LocationDelay();
locationDelay0.setPlace("");
String string0 = locationDelay0.getPlace();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
LocationDelay locationDelay0 = new LocationDelay();
locationDelay0.setId(776);
int int0 = locationDelay0.getId();
assertEquals(776, int0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
LocationDelay locationDelay0 = new LocationDelay();
locationDelay0.setId((-29771));
int int0 = locationDelay0.getId();
assertEquals((-29771), int0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
LocationDelay locationDelay0 = new LocationDelay();
BigDecimal bigDecimal0 = new BigDecimal(0);
locationDelay0.setFloorNo(bigDecimal0);
BigDecimal bigDecimal1 = locationDelay0.getFloorNo();
assertSame(bigDecimal1, bigDecimal0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
LocationDelay locationDelay0 = new LocationDelay();
BigDecimal bigDecimal0 = new BigDecimal((-63664));
locationDelay0.setFloorNo(bigDecimal0);
BigDecimal bigDecimal1 = locationDelay0.getFloorNo();
assertSame(bigDecimal1, bigDecimal0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
LocationDelay locationDelay0 = new LocationDelay();
BigDecimal bigDecimal0 = new BigDecimal((-25090L));
locationDelay0.setFloorNo(bigDecimal0);
BigDecimal bigDecimal1 = locationDelay0.getFloorNo();
assertEquals((short) (-25090), bigDecimal1.shortValue());
}
@Test(timeout = 4000)
public void test12() throws Throwable {
LocationDelay locationDelay0 = new LocationDelay();
locationDelay0.setFloor("/#bBdz4yf>NVAWhvX&");
String string0 = locationDelay0.getFloor();
assertEquals("/#bBdz4yf>NVAWhvX&", string0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
LocationDelay locationDelay0 = new LocationDelay();
locationDelay0.setDataDelay((-26067.59));
double double0 = locationDelay0.getDataDelay();
assertEquals((-26067.59), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
LocationDelay locationDelay0 = new LocationDelay();
BigDecimal bigDecimal0 = locationDelay0.getFloorNo();
assertNull(bigDecimal0);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
LocationDelay locationDelay0 = new LocationDelay();
double double0 = locationDelay0.getPositionDelay();
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
LocationDelay locationDelay0 = new LocationDelay();
locationDelay0.setDataDelay(73657);
double double0 = locationDelay0.getDataDelay();
assertEquals(73657.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
LocationDelay locationDelay0 = new LocationDelay();
long long0 = locationDelay0.getUpdateTime();
assertEquals(0L, long0);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
LocationDelay locationDelay0 = new LocationDelay();
locationDelay0.setFloor("");
String string0 = locationDelay0.getFloor();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test19() throws Throwable {
LocationDelay locationDelay0 = new LocationDelay();
int int0 = locationDelay0.getId();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test20() throws Throwable {
LocationDelay locationDelay0 = new LocationDelay();
String string0 = locationDelay0.getPlace();
assertNull(string0);
}
@Test(timeout = 4000)
public void test21() throws Throwable {
LocationDelay locationDelay0 = new LocationDelay();
locationDelay0.setPlace(" |+3StH}6iJ8Sbt=J.5");
String string0 = locationDelay0.getPlace();
assertEquals(" |+3StH}6iJ8Sbt=J.5", string0);
}
@Test(timeout = 4000)
public void test22() throws Throwable {
LocationDelay locationDelay0 = new LocationDelay();
int int0 = locationDelay0.getPlaceId();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test23() throws Throwable {
LocationDelay locationDelay0 = new LocationDelay();
String string0 = locationDelay0.getFloor();
assertNull(string0);
}
@Test(timeout = 4000)
public void test24() throws Throwable {
LocationDelay locationDelay0 = new LocationDelay();
double double0 = locationDelay0.getDataDelay();
assertEquals(0.0, double0, 1.0E-4);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 23:25:30 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class LocationDelay_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "LocationDelay";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpk9gh252b");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(LocationDelay_ESTest_scaffolding.class.getClassLoader() ,
"LocationDelay"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(LocationDelay_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"LocationDelay"
);
}
}
| 1,025 |
Solution | import java.util.ArrayDeque;
import java.util.Queue;
/*
Given a 2D board containing 'X' and 'O' (the letter O), capture all regions surrounded by 'X'.
A region is captured by flipping all 'O's into 'X's in that surrounded region.
For example,
X X X X
X O O X
X X O X
X O X X
After running your function, the board should be:
X X X X
X X X X
X X X X
X O X X
*/
public class Solution {
private static int[][] mv = {
{-1, 1, 0, 0},
{0, 0, -1, 1},
};
// The idea is little bit hidden: we mainly focus on O cells through with we can reach
// boundary(through going to other O cells or the cell is already on boundary) instead of
// the boundaries('X' cells). Note that such O cells cannot be surrounded by X cells(due to
// that no X cells at the boundary of the board), thus after we cross out all of these O cells
// the remaining O cells in the board are the ones we can confine using X cells!
public void solve(char[][] board) {
if (board.length == 0 || board[0].length == 0) return;
if (board.length < 2
|| board[0].length < 2) // in this scenario there exist no surrounded regions
return;
int m = board.length, n = board[0].length;
// note that any 'O' cell at the boundary of the board cannot be included in
// a surrounded boundary. Thus just mark them as not available
// This is a very important trick: any O cell that can be surrounded by X cell
// will have no chance to touch the boundary of the board, hence no connection with
// O cell that can reach the board boundary!!!
for (int i = 0; i < m; i++) {
if (board[i][0] == 'O') boundaryBFS(board, i, 0);
if (board[i][n - 1] == 'O') boundaryBFS(board, i, n - 1);
}
// similar to above
for (int j = 0; j < n; j++) {
if (board[0][j] == 'O') boundaryBFS(board, 0, j);
if (board[m - 1][j] == 'O') boundaryBFS(board, m - 1, j);
}
// post-processing, turn 'O' to 'X', and '*' back to 'O', keep 'X' intact
for (int i = 0; i < m; i++) {
for (int j = 0; j < n; j++) {
if (board[i][j] == 'O') board[i][j] = 'X'; // included the available cell
else if (board[i][j] == '*') board[i][j] = 'O'; // restore unavailable cell
}
}
}
// method to turn O cell that can reach boundary(by move to other O cells
// or already at boundary) to * => mark it unavailable. The original post used
// DFS, here we will use BFS to reduce extra stack space.
private void boundaryBFS(char[][] board, int i, int j) {
Queue<Integer> rq = new ArrayDeque<>(), cq = new ArrayDeque<>();
board[i][j] = '*';
rq.offer(i);
cq.offer(j);
while (!rq.isEmpty()) {
int r = rq.poll(), c = cq.poll();
for (int k = 0; k < 4; k++) {
int nr = r + mv[0][k], nc = c + mv[1][k];
if (0 <= nr
&& nr < board.length
&& 0 <= nc
&& nc < board[0].length
&& board[nr][nc] == 'O') {
board[nr][nc] = '*';
rq.offer(nr);
cq.offer(nc);
}
}
}
}
// approach 2: union-find
public static void main(String[] args) {
Solution sol = new Solution();
char[][] board = {
"XXXO".toCharArray(), "XOOX".toCharArray(), "XXOX".toCharArray(), "OXXO".toCharArray(),
};
sol.solve(board);
for (char[] chs : board) {
for (char c : chs) System.out.print(c + " ");
System.out.println();
}
}
}
| .version 52 0
.class public super Solution
.super java/lang/Object
.field private static mv [[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 23
.end linenumbertable
.end code
.end method
.method public solve : ([[C)V
.code stack 5 locals 6
L0: aload_1
L1: arraylength
L2: ifeq L12
L5: aload_1
L6: iconst_0
L7: aaload
L8: arraylength
L9: ifne L13
.stack same
L12: return
.stack same
L13: aload_1
L14: arraylength
L15: iconst_2
L16: if_icmplt L27
L19: aload_1
L20: iconst_0
L21: aaload
L22: arraylength
L23: iconst_2
L24: if_icmpge L28
.stack same
L27: return
.stack same
L28: aload_1
L29: arraylength
L30: istore_2
L31: aload_1
L32: iconst_0
L33: aaload
L34: arraylength
L35: istore_3
L36: iconst_0
L37: istore 4
.stack append Integer Integer Integer
L39: iload 4
L41: iload_2
L42: if_icmpge L93
L45: aload_1
L46: iload 4
L48: aaload
L49: iconst_0
L50: caload
L51: bipush 79
L53: if_icmpne L64
L56: aload_0
L57: aload_1
L58: iload 4
L60: iconst_0
L61: invokespecial Method Solution boundaryBFS ([[CII)V
.stack same
L64: aload_1
L65: iload 4
L67: aaload
L68: iload_3
L69: iconst_1
L70: isub
L71: caload
L72: bipush 79
L74: if_icmpne L87
L77: aload_0
L78: aload_1
L79: iload 4
L81: iload_3
L82: iconst_1
L83: isub
L84: invokespecial Method Solution boundaryBFS ([[CII)V
.stack same
L87: iinc 4 1
L90: goto L39
.stack chop 1
L93: iconst_0
L94: istore 4
.stack append Integer
L96: iload 4
L98: iload_3
L99: if_icmpge L150
L102: aload_1
L103: iconst_0
L104: aaload
L105: iload 4
L107: caload
L108: bipush 79
L110: if_icmpne L121
L113: aload_0
L114: aload_1
L115: iconst_0
L116: iload 4
L118: invokespecial Method Solution boundaryBFS ([[CII)V
.stack same
L121: aload_1
L122: iload_2
L123: iconst_1
L124: isub
L125: aaload
L126: iload 4
L128: caload
L129: bipush 79
L131: if_icmpne L144
L134: aload_0
L135: aload_1
L136: iload_2
L137: iconst_1
L138: isub
L139: iload 4
L141: invokespecial Method Solution boundaryBFS ([[CII)V
.stack same
L144: iinc 4 1
L147: goto L96
.stack chop 1
L150: iconst_0
L151: istore 4
.stack append Integer
L153: iload 4
L155: iload_2
L156: if_icmpge L225
L159: iconst_0
L160: istore 5
.stack append Integer
L162: iload 5
L164: iload_3
L165: if_icmpge L219
L168: aload_1
L169: iload 4
L171: aaload
L172: iload 5
L174: caload
L175: bipush 79
L177: if_icmpne L192
L180: aload_1
L181: iload 4
L183: aaload
L184: iload 5
L186: bipush 88
L188: castore
L189: goto L213
.stack same
L192: aload_1
L193: iload 4
L195: aaload
L196: iload 5
L198: caload
L199: bipush 42
L201: if_icmpne L213
L204: aload_1
L205: iload 4
L207: aaload
L208: iload 5
L210: bipush 79
L212: castore
.stack same
L213: iinc 5 1
L216: goto L162
.stack chop 1
L219: iinc 4 1
L222: goto L153
.stack chop 1
L225: return
L226:
.linenumbertable
L0 36
L12 37
L13 38
L27 39
L28 41
L36 47
L45 48
L56 49
L64 50
L77 51
L87 47
L93 54
L102 55
L113 56
L121 57
L134 58
L144 54
L150 62
L159 63
L168 64
L180 65
L192 66
L204 67
L213 63
L219 62
L225 70
.end linenumbertable
.end code
.end method
.method private boundaryBFS : ([[CII)V
.code stack 3 locals 11
L0: new java/util/ArrayDeque
L3: dup
L4: invokespecial Method java/util/ArrayDeque <init> ()V
L7: astore 4
L9: new java/util/ArrayDeque
L12: dup
L13: invokespecial Method java/util/ArrayDeque <init> ()V
L16: astore 5
L18: aload_1
L19: iload_2
L20: aaload
L21: iload_3
L22: bipush 42
L24: castore
L25: aload 4
L27: iload_2
L28: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L31: invokeinterface InterfaceMethod java/util/Queue offer (Ljava/lang/Object;)Z 2
L36: pop
L37: aload 5
L39: iload_3
L40: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L43: invokeinterface InterfaceMethod java/util/Queue offer (Ljava/lang/Object;)Z 2
L48: pop
.stack append Object java/util/Queue Object java/util/Queue
L49: aload 4
L51: invokeinterface InterfaceMethod java/util/Queue isEmpty ()Z 1
L56: ifne L208
L59: aload 4
L61: invokeinterface InterfaceMethod java/util/Queue poll ()Ljava/lang/Object; 1
L66: checkcast java/lang/Integer
L69: invokevirtual Method java/lang/Integer intValue ()I
L72: istore 6
L74: aload 5
L76: invokeinterface InterfaceMethod java/util/Queue poll ()Ljava/lang/Object; 1
L81: checkcast java/lang/Integer
L84: invokevirtual Method java/lang/Integer intValue ()I
L87: istore 7
L89: iconst_0
L90: istore 8
.stack append Integer Integer Integer
L92: iload 8
L94: iconst_4
L95: if_icmpge L205
L98: iload 6
L100: getstatic Field Solution mv [[I
L103: iconst_0
L104: aaload
L105: iload 8
L107: iaload
L108: iadd
L109: istore 9
L111: iload 7
L113: getstatic Field Solution mv [[I
L116: iconst_1
L117: aaload
L118: iload 8
L120: iaload
L121: iadd
L122: istore 10
L124: iconst_0
L125: iload 9
L127: if_icmpgt L199
L130: iload 9
L132: aload_1
L133: arraylength
L134: if_icmpge L199
L137: iconst_0
L138: iload 10
L140: if_icmpgt L199
L143: iload 10
L145: aload_1
L146: iconst_0
L147: aaload
L148: arraylength
L149: if_icmpge L199
L152: aload_1
L153: iload 9
L155: aaload
L156: iload 10
L158: caload
L159: bipush 79
L161: if_icmpne L199
L164: aload_1
L165: iload 9
L167: aaload
L168: iload 10
L170: bipush 42
L172: castore
L173: aload 4
L175: iload 9
L177: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L180: invokeinterface InterfaceMethod java/util/Queue offer (Ljava/lang/Object;)Z 2
L185: pop
L186: aload 5
L188: iload 10
L190: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L193: invokeinterface InterfaceMethod java/util/Queue offer (Ljava/lang/Object;)Z 2
L198: pop
.stack same_extended
L199: iinc 8 1
L202: goto L92
.stack chop 3
L205: goto L49
.stack same
L208: return
L209:
.linenumbertable
L0 76
L18 77
L25 78
L49 80
L59 81
L89 82
L98 83
L124 84
L164 87
L173 88
L199 82
L205 91
L208 92
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 4 locals 11
L0: new Solution
L3: dup
L4: invokespecial Method Solution <init> ()V
L7: astore_1
L8: iconst_4
L9: anewarray [C
L12: dup
L13: iconst_0
L14: ldc 'XXXO'
L16: invokevirtual Method java/lang/String toCharArray ()[C
L19: aastore
L20: dup
L21: iconst_1
L22: ldc 'XOOX'
L24: invokevirtual Method java/lang/String toCharArray ()[C
L27: aastore
L28: dup
L29: iconst_2
L30: ldc 'XXOX'
L32: invokevirtual Method java/lang/String toCharArray ()[C
L35: aastore
L36: dup
L37: iconst_3
L38: ldc 'OXXO'
L40: invokevirtual Method java/lang/String toCharArray ()[C
L43: aastore
L44: astore_2
L45: aload_1
L46: aload_2
L47: invokevirtual Method Solution solve ([[C)V
L50: aload_2
L51: astore_3
L52: aload_3
L53: arraylength
L54: istore 4
L56: iconst_0
L57: istore 5
.stack full
locals Object [Ljava/lang/String; Object Solution Object [[C Object [[C Integer Integer
stack
.end stack
L59: iload 5
L61: iload 4
L63: if_icmpge L142
L66: aload_3
L67: iload 5
L69: aaload
L70: astore 6
L72: aload 6
L74: astore 7
L76: aload 7
L78: arraylength
L79: istore 8
L81: iconst_0
L82: istore 9
.stack full
locals Object [Ljava/lang/String; Object Solution Object [[C Object [[C Integer Integer Object [C Object [C Integer Integer
stack
.end stack
L84: iload 9
L86: iload 8
L88: if_icmpge L130
L91: aload 7
L93: iload 9
L95: caload
L96: istore 10
L98: getstatic Field java/lang/System out Ljava/io/PrintStream;
L101: new java/lang/StringBuilder
L104: dup
L105: invokespecial Method java/lang/StringBuilder <init> ()V
L108: iload 10
L110: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L113: ldc ' '
L115: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L118: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L121: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V
L124: iinc 9 1
L127: goto L84
.stack chop 3
L130: getstatic Field java/lang/System out Ljava/io/PrintStream;
L133: invokevirtual Method java/io/PrintStream println ()V
L136: iinc 5 1
L139: goto L59
.stack full
locals Object [Ljava/lang/String; Object Solution Object [[C
stack
.end stack
L142: return
L143:
.linenumbertable
L0 98
L8 99
L16 100
L24 101
L32 102
L40 103
L45 106
L50 107
L72 108
L130 109
L136 107
L142 111
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 7 locals 0
L0: iconst_2
L1: anewarray [I
L4: dup
L5: iconst_0
L6: iconst_4
L7: newarray int
L9: dup
L10: iconst_0
L11: iconst_m1
L12: iastore
L13: dup
L14: iconst_1
L15: iconst_1
L16: iastore
L17: dup
L18: iconst_2
L19: iconst_0
L20: iastore
L21: dup
L22: iconst_3
L23: iconst_0
L24: iastore
L25: aastore
L26: dup
L27: iconst_1
L28: iconst_4
L29: newarray int
L31: dup
L32: iconst_0
L33: iconst_0
L34: iastore
L35: dup
L36: iconst_1
L37: iconst_0
L38: iastore
L39: dup
L40: iconst_2
L41: iconst_m1
L42: iastore
L43: dup
L44: iconst_3
L45: iconst_1
L46: iastore
L47: aastore
L48: putstatic Field Solution mv [[I
L51: return
L52:
.linenumbertable
L0 25
.end linenumbertable
.end code
.end method
.sourcefile 'Solution.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 18:18:59 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Solution_ESTest extends Solution_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Solution solution0 = new Solution();
char[][] charArray0 = new char[2][5];
char[] charArray1 = new char[6];
charArray1[0] = '*';
charArray1[1] = '_';
charArray1[2] = '%';
charArray1[3] = '.';
charArray1[4] = '/';
charArray1[5] = 't';
charArray0[0] = charArray1;
char[] charArray2 = new char[4];
charArray2[0] = '.';
charArray2[1] = '.';
charArray2[2] = '*';
charArray2[3] = '.';
charArray0[1] = charArray2;
// Undeclared exception!
try {
solution0.solve(charArray0);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 5
//
verifyException("Solution", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
String[] stringArray0 = null;
Solution.main((String[]) null);
Solution solution0 = new Solution();
Solution.main((String[]) null);
char[][] charArray0 = new char[3][6];
char[] charArray1 = new char[6];
solution0.solve(charArray0);
charArray1[0] = '9';
charArray1[1] = '5';
charArray1[2] = 'N';
charArray1[3] = '*';
charArray1[4] = '6';
charArray1[5] = 'l';
charArray0[0] = charArray1;
char[] charArray2 = new char[3];
charArray2[0] = 'N';
charArray2[1] = '5';
charArray2[2] = '6';
charArray0[1] = charArray2;
char[] charArray3 = new char[3];
charArray3[0] = '6';
charArray3[1] = '*';
charArray3[2] = '9';
charArray0[2] = charArray3;
// Undeclared exception!
try {
solution0.solve(charArray0);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 5
//
verifyException("Solution", e);
}
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Solution solution0 = new Solution();
char[][] charArray0 = new char[3][6];
char[] charArray1 = new char[1];
charArray1[0] = '9';
charArray0[0] = charArray1;
char[] charArray2 = new char[9];
charArray2[0] = '9';
charArray2[1] = '9';
charArray2[2] = '9';
charArray2[3] = '9';
charArray2[4] = '9';
charArray2[5] = '9';
charArray2[6] = '9';
charArray2[7] = '9';
charArray2[8] = '9';
charArray0[1] = charArray2;
char[] charArray3 = new char[8];
charArray3[0] = 'z';
charArray3[1] = '9';
charArray3[2] = '9';
charArray3[3] = '9';
charArray3[4] = '9';
charArray3[5] = '9';
charArray3[6] = '9';
charArray3[7] = '9';
charArray0[2] = charArray3;
solution0.solve(charArray0);
assertEquals(3, charArray0.length);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Solution solution0 = new Solution();
char[][] charArray0 = new char[4][1];
char[] charArray1 = new char[0];
charArray0[0] = charArray1;
char[] charArray2 = new char[0];
charArray0[1] = charArray2;
char[] charArray3 = new char[0];
charArray0[2] = charArray3;
char[] charArray4 = new char[4];
charArray4[0] = '$';
charArray4[1] = 'H';
charArray4[2] = 'Q';
charArray4[3] = 'w';
charArray0[3] = charArray4;
solution0.solve(charArray0);
assertEquals(4, charArray0.length);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Solution solution0 = new Solution();
char[][] charArray0 = new char[0][4];
solution0.solve(charArray0);
assertEquals(0, charArray0.length);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
String[] stringArray0 = new String[4];
stringArray0[0] = "^qCl#dzYU\"Nm";
stringArray0[1] = "";
stringArray0[2] = "";
stringArray0[3] = "";
Solution.main(stringArray0);
Solution solution0 = new Solution();
Solution.main(stringArray0);
Solution.main(stringArray0);
Solution.main(stringArray0);
char[][] charArray0 = new char[5][3];
char[] charArray1 = new char[8];
charArray1[0] = 'v';
charArray1[1] = '[';
charArray1[2] = '?';
charArray1[3] = '&';
charArray1[4] = '6';
charArray1[5] = 'Y';
charArray1[6] = ':';
charArray1[7] = 'O';
charArray0[0] = charArray1;
char[] charArray2 = new char[6];
charArray2[0] = 'v';
charArray2[1] = 'O';
charArray2[2] = ':';
charArray2[3] = '[';
charArray2[4] = 'b';
charArray2[5] = ':';
charArray0[1] = charArray2;
char[] charArray3 = new char[3];
charArray3[0] = '[';
charArray3[1] = '?';
charArray3[2] = 'o';
charArray0[2] = charArray3;
char[] charArray4 = new char[8];
charArray4[0] = '?';
charArray4[1] = '6';
charArray4[2] = '?';
charArray4[3] = '[';
charArray4[4] = ':';
charArray4[5] = '&';
charArray4[6] = 'Y';
charArray4[7] = '[';
charArray0[3] = charArray4;
char[] charArray5 = new char[5];
charArray5[0] = 'O';
charArray5[1] = '(';
charArray5[2] = '?';
charArray5[3] = '6';
charArray5[4] = 'v';
charArray0[4] = charArray5;
// Undeclared exception!
try {
solution0.solve(charArray0);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 7
//
verifyException("Solution", e);
}
}
@Test(timeout = 4000)
public void test6() throws Throwable {
String[] stringArray0 = new String[6];
stringArray0[0] = "{jK3w-%zvjV)5 <";
stringArray0[1] = "6},";
stringArray0[2] = " ZqUsyPc=+!1%}";
stringArray0[3] = "";
stringArray0[4] = "$nF]p$I71m/kj:5m>Yk";
stringArray0[5] = "";
Solution.main(stringArray0);
Solution solution0 = new Solution();
String[] stringArray1 = new String[5];
stringArray1[0] = "";
stringArray1[1] = "6},";
stringArray1[2] = "6},";
Solution.main(stringArray1);
stringArray1[3] = "";
stringArray1[4] = "";
Solution.main(stringArray1);
char[][] charArrayArray0 = null;
// Undeclared exception!
try {
solution0.solve((char[][]) null);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("Solution", e);
}
}
@Test(timeout = 4000)
public void test7() throws Throwable {
String[] stringArray0 = new String[6];
stringArray0[0] = "";
stringArray0[1] = "";
stringArray0[2] = "yTr g1X0(VC{'-g(@3";
stringArray0[3] = "";
stringArray0[4] = "XOOX";
stringArray0[5] = "]-U/C/PeD%";
Solution.main(stringArray0);
Solution solution0 = new Solution();
char[][] charArray0 = new char[5][4];
char[] charArray1 = new char[8];
charArray1[0] = 'Z';
charArray1[1] = '6';
charArray1[2] = 'z';
charArray1[3] = '&';
charArray1[4] = '@';
charArray1[5] = '0';
charArray1[6] = '+';
charArray1[7] = 'F';
charArray0[0] = charArray1;
char[] charArray2 = new char[2];
charArray2[0] = '&';
charArray2[1] = '6';
charArray0[1] = charArray2;
char[] charArray3 = new char[9];
charArray3[0] = '6';
charArray3[1] = '+';
charArray3[2] = '@';
charArray3[3] = '@';
charArray3[4] = '+';
charArray3[5] = 'z';
charArray3[6] = '@';
charArray3[7] = '+';
charArray3[8] = '+';
charArray0[2] = charArray3;
char[] charArray4 = new char[6];
charArray4[0] = 'z';
charArray4[1] = '&';
charArray4[2] = '0';
charArray4[3] = 'z';
charArray4[4] = 'z';
charArray4[5] = 'n';
charArray0[3] = charArray4;
char[] charArray5 = new char[6];
charArray5[0] = 'Z';
charArray5[1] = 'j';
charArray5[2] = '+';
charArray5[3] = '+';
charArray5[4] = 'n';
charArray5[5] = '+';
charArray0[4] = charArray5;
// Undeclared exception!
try {
solution0.solve(charArray0);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 7
//
verifyException("Solution", e);
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 18:18: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 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/tmpphojvx4b");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Solution_ESTest_scaffolding.class.getClassLoader() ,
"Solution"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Solution_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Solution"
);
}
}
| 1,026 |
Board | import java.util.Arrays;
public class Board {
public char[][] board = {{'_', '_', '_'}, {'_', '_', '_'}, {'_', '_', '_'}};
private boolean isAnXWin = false;
private boolean isAnOWin = false;
public char[][] getBoard() {
return this.board;
}
public void setBoard(char[][] boardIn) {
this.board = boardIn;
}
public boolean hasXWin() {
char[] rowOfX = {'X', 'X', 'X'};
if (Arrays.equals(rowOfX, this.board[0])) {
isAnXWin = true;
} else if (Arrays.equals(rowOfX, this.board[1])) {
isAnXWin = true;
} else if (Arrays.equals(rowOfX, this.board[2])) {
isAnXWin = true;
} else if ((this.board[0][0] == 'X' && this.board[1][0] == 'X' && this.board[2][0] == 'X')) {
isAnXWin = true;
} else if ((this.board[0][1] == 'X' && this.board[1][1] == 'X' && this.board[2][1] == 'X')) {
isAnXWin = true;
} else if ((this.board[0][2] == 'X' && this.board[1][2] == 'X' && this.board[2][2] == 'X')) {
isAnXWin = true;
} else if ((this.board[0][0] == 'X' && this.board[1][1] == 'X' && this.board[2][2] == 'X')) {
isAnXWin = true;
} else if ((this.board[0][2] == 'X' && this.board[1][1] == 'X' && this.board[2][0] == 'X')) {
isAnXWin = true;
} else {
isAnXWin = false;
}
return isAnXWin;
}
public boolean hasOWin() {
char[] rowOfO = {'O', 'O', 'O'};
if (Arrays.equals(rowOfO, this.board[0])) {
isAnOWin = true;
} else if (Arrays.equals(rowOfO, this.board[1])) {
isAnOWin = true;
} else if (Arrays.equals(rowOfO, this.board[2])) {
isAnOWin = true;
} else if ((this.board[0][0] == 'O' && this.board[1][0] == 'O' && this.board[2][0] == 'O')) {
isAnOWin = true;
} else if ((this.board[0][1] == 'O' && this.board[1][1] == 'O' && this.board[2][1] == 'O')) {
isAnOWin = true;
} else if ((this.board[0][2] == 'O' && this.board[1][2] == 'O' && this.board[2][2] == 'O')) {
isAnOWin = true;
} else if ((this.board[0][0] == 'O' && this.board[1][1] == 'O' && this.board[2][2] == 'O')) {
isAnOWin = true;
} else if ((this.board[0][2] == 'O' && this.board[1][1] == 'O' && this.board[2][0] == 'O')) {
isAnOWin = true;
} else {
isAnOWin = false;
}
return isAnOWin;
}
}
| .version 52 0
.class public super Board
.super java/lang/Object
.field public board [[C
.field private isAnXWin Z
.field private isAnOWin Z
.method public <init> : ()V
.code stack 8 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iconst_3
L6: anewarray [C
L9: dup
L10: iconst_0
L11: iconst_3
L12: newarray char
L14: dup
L15: iconst_0
L16: bipush 95
L18: castore
L19: dup
L20: iconst_1
L21: bipush 95
L23: castore
L24: dup
L25: iconst_2
L26: bipush 95
L28: castore
L29: aastore
L30: dup
L31: iconst_1
L32: iconst_3
L33: newarray char
L35: dup
L36: iconst_0
L37: bipush 95
L39: castore
L40: dup
L41: iconst_1
L42: bipush 95
L44: castore
L45: dup
L46: iconst_2
L47: bipush 95
L49: castore
L50: aastore
L51: dup
L52: iconst_2
L53: iconst_3
L54: newarray char
L56: dup
L57: iconst_0
L58: bipush 95
L60: castore
L61: dup
L62: iconst_1
L63: bipush 95
L65: castore
L66: dup
L67: iconst_2
L68: bipush 95
L70: castore
L71: aastore
L72: putfield Field Board board [[C
L75: aload_0
L76: iconst_0
L77: putfield Field Board isAnXWin Z
L80: aload_0
L81: iconst_0
L82: putfield Field Board isAnOWin Z
L85: return
L86:
.linenumbertable
L0 3
L4 5
L75 7
L80 8
.end linenumbertable
.end code
.end method
.method public getBoard : ()[[C
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Board board [[C
L4: areturn
L5:
.linenumbertable
L0 12
.end linenumbertable
.end code
.end method
.method public setBoard : ([[C)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Board board [[C
L5: return
L6:
.linenumbertable
L0 17
L5 18
.end linenumbertable
.end code
.end method
.method public hasXWin : ()Z
.code stack 4 locals 2
L0: iconst_3
L1: newarray char
L3: dup
L4: iconst_0
L5: bipush 88
L7: castore
L8: dup
L9: iconst_1
L10: bipush 88
L12: castore
L13: dup
L14: iconst_2
L15: bipush 88
L17: castore
L18: astore_1
L19: aload_1
L20: aload_0
L21: getfield Field Board board [[C
L24: iconst_0
L25: aaload
L26: invokestatic Method java/util/Arrays equals ([C[C)Z
L29: ifeq L40
L32: aload_0
L33: iconst_1
L34: putfield Field Board isAnXWin Z
L37: goto L322
.stack append Object [C
L40: aload_1
L41: aload_0
L42: getfield Field Board board [[C
L45: iconst_1
L46: aaload
L47: invokestatic Method java/util/Arrays equals ([C[C)Z
L50: ifeq L61
L53: aload_0
L54: iconst_1
L55: putfield Field Board isAnXWin Z
L58: goto L322
.stack same
L61: aload_1
L62: aload_0
L63: getfield Field Board board [[C
L66: iconst_2
L67: aaload
L68: invokestatic Method java/util/Arrays equals ([C[C)Z
L71: ifeq L82
L74: aload_0
L75: iconst_1
L76: putfield Field Board isAnXWin Z
L79: goto L322
.stack same
L82: aload_0
L83: getfield Field Board board [[C
L86: iconst_0
L87: aaload
L88: iconst_0
L89: caload
L90: bipush 88
L92: if_icmpne L129
L95: aload_0
L96: getfield Field Board board [[C
L99: iconst_1
L100: aaload
L101: iconst_0
L102: caload
L103: bipush 88
L105: if_icmpne L129
L108: aload_0
L109: getfield Field Board board [[C
L112: iconst_2
L113: aaload
L114: iconst_0
L115: caload
L116: bipush 88
L118: if_icmpne L129
L121: aload_0
L122: iconst_1
L123: putfield Field Board isAnXWin Z
L126: goto L322
.stack same
L129: aload_0
L130: getfield Field Board board [[C
L133: iconst_0
L134: aaload
L135: iconst_1
L136: caload
L137: bipush 88
L139: if_icmpne L176
L142: aload_0
L143: getfield Field Board board [[C
L146: iconst_1
L147: aaload
L148: iconst_1
L149: caload
L150: bipush 88
L152: if_icmpne L176
L155: aload_0
L156: getfield Field Board board [[C
L159: iconst_2
L160: aaload
L161: iconst_1
L162: caload
L163: bipush 88
L165: if_icmpne L176
L168: aload_0
L169: iconst_1
L170: putfield Field Board isAnXWin Z
L173: goto L322
.stack same
L176: aload_0
L177: getfield Field Board board [[C
L180: iconst_0
L181: aaload
L182: iconst_2
L183: caload
L184: bipush 88
L186: if_icmpne L223
L189: aload_0
L190: getfield Field Board board [[C
L193: iconst_1
L194: aaload
L195: iconst_2
L196: caload
L197: bipush 88
L199: if_icmpne L223
L202: aload_0
L203: getfield Field Board board [[C
L206: iconst_2
L207: aaload
L208: iconst_2
L209: caload
L210: bipush 88
L212: if_icmpne L223
L215: aload_0
L216: iconst_1
L217: putfield Field Board isAnXWin Z
L220: goto L322
.stack same
L223: aload_0
L224: getfield Field Board board [[C
L227: iconst_0
L228: aaload
L229: iconst_0
L230: caload
L231: bipush 88
L233: if_icmpne L270
L236: aload_0
L237: getfield Field Board board [[C
L240: iconst_1
L241: aaload
L242: iconst_1
L243: caload
L244: bipush 88
L246: if_icmpne L270
L249: aload_0
L250: getfield Field Board board [[C
L253: iconst_2
L254: aaload
L255: iconst_2
L256: caload
L257: bipush 88
L259: if_icmpne L270
L262: aload_0
L263: iconst_1
L264: putfield Field Board isAnXWin Z
L267: goto L322
.stack same
L270: aload_0
L271: getfield Field Board board [[C
L274: iconst_0
L275: aaload
L276: iconst_2
L277: caload
L278: bipush 88
L280: if_icmpne L317
L283: aload_0
L284: getfield Field Board board [[C
L287: iconst_1
L288: aaload
L289: iconst_1
L290: caload
L291: bipush 88
L293: if_icmpne L317
L296: aload_0
L297: getfield Field Board board [[C
L300: iconst_2
L301: aaload
L302: iconst_0
L303: caload
L304: bipush 88
L306: if_icmpne L317
L309: aload_0
L310: iconst_1
L311: putfield Field Board isAnXWin Z
L314: goto L322
.stack same
L317: aload_0
L318: iconst_0
L319: putfield Field Board isAnXWin Z
.stack same
L322: aload_0
L323: getfield Field Board isAnXWin Z
L326: ireturn
L327:
.linenumbertable
L0 22
L19 23
L32 25
L40 27
L53 29
L61 31
L74 33
L82 35
L121 37
L129 39
L168 41
L176 43
L215 45
L223 47
L262 49
L270 51
L309 53
L317 57
L322 59
.end linenumbertable
.end code
.end method
.method public hasOWin : ()Z
.code stack 4 locals 2
L0: iconst_3
L1: newarray char
L3: dup
L4: iconst_0
L5: bipush 79
L7: castore
L8: dup
L9: iconst_1
L10: bipush 79
L12: castore
L13: dup
L14: iconst_2
L15: bipush 79
L17: castore
L18: astore_1
L19: aload_1
L20: aload_0
L21: getfield Field Board board [[C
L24: iconst_0
L25: aaload
L26: invokestatic Method java/util/Arrays equals ([C[C)Z
L29: ifeq L40
L32: aload_0
L33: iconst_1
L34: putfield Field Board isAnOWin Z
L37: goto L322
.stack append Object [C
L40: aload_1
L41: aload_0
L42: getfield Field Board board [[C
L45: iconst_1
L46: aaload
L47: invokestatic Method java/util/Arrays equals ([C[C)Z
L50: ifeq L61
L53: aload_0
L54: iconst_1
L55: putfield Field Board isAnOWin Z
L58: goto L322
.stack same
L61: aload_1
L62: aload_0
L63: getfield Field Board board [[C
L66: iconst_2
L67: aaload
L68: invokestatic Method java/util/Arrays equals ([C[C)Z
L71: ifeq L82
L74: aload_0
L75: iconst_1
L76: putfield Field Board isAnOWin Z
L79: goto L322
.stack same
L82: aload_0
L83: getfield Field Board board [[C
L86: iconst_0
L87: aaload
L88: iconst_0
L89: caload
L90: bipush 79
L92: if_icmpne L129
L95: aload_0
L96: getfield Field Board board [[C
L99: iconst_1
L100: aaload
L101: iconst_0
L102: caload
L103: bipush 79
L105: if_icmpne L129
L108: aload_0
L109: getfield Field Board board [[C
L112: iconst_2
L113: aaload
L114: iconst_0
L115: caload
L116: bipush 79
L118: if_icmpne L129
L121: aload_0
L122: iconst_1
L123: putfield Field Board isAnOWin Z
L126: goto L322
.stack same
L129: aload_0
L130: getfield Field Board board [[C
L133: iconst_0
L134: aaload
L135: iconst_1
L136: caload
L137: bipush 79
L139: if_icmpne L176
L142: aload_0
L143: getfield Field Board board [[C
L146: iconst_1
L147: aaload
L148: iconst_1
L149: caload
L150: bipush 79
L152: if_icmpne L176
L155: aload_0
L156: getfield Field Board board [[C
L159: iconst_2
L160: aaload
L161: iconst_1
L162: caload
L163: bipush 79
L165: if_icmpne L176
L168: aload_0
L169: iconst_1
L170: putfield Field Board isAnOWin Z
L173: goto L322
.stack same
L176: aload_0
L177: getfield Field Board board [[C
L180: iconst_0
L181: aaload
L182: iconst_2
L183: caload
L184: bipush 79
L186: if_icmpne L223
L189: aload_0
L190: getfield Field Board board [[C
L193: iconst_1
L194: aaload
L195: iconst_2
L196: caload
L197: bipush 79
L199: if_icmpne L223
L202: aload_0
L203: getfield Field Board board [[C
L206: iconst_2
L207: aaload
L208: iconst_2
L209: caload
L210: bipush 79
L212: if_icmpne L223
L215: aload_0
L216: iconst_1
L217: putfield Field Board isAnOWin Z
L220: goto L322
.stack same
L223: aload_0
L224: getfield Field Board board [[C
L227: iconst_0
L228: aaload
L229: iconst_0
L230: caload
L231: bipush 79
L233: if_icmpne L270
L236: aload_0
L237: getfield Field Board board [[C
L240: iconst_1
L241: aaload
L242: iconst_1
L243: caload
L244: bipush 79
L246: if_icmpne L270
L249: aload_0
L250: getfield Field Board board [[C
L253: iconst_2
L254: aaload
L255: iconst_2
L256: caload
L257: bipush 79
L259: if_icmpne L270
L262: aload_0
L263: iconst_1
L264: putfield Field Board isAnOWin Z
L267: goto L322
.stack same
L270: aload_0
L271: getfield Field Board board [[C
L274: iconst_0
L275: aaload
L276: iconst_2
L277: caload
L278: bipush 79
L280: if_icmpne L317
L283: aload_0
L284: getfield Field Board board [[C
L287: iconst_1
L288: aaload
L289: iconst_1
L290: caload
L291: bipush 79
L293: if_icmpne L317
L296: aload_0
L297: getfield Field Board board [[C
L300: iconst_2
L301: aaload
L302: iconst_0
L303: caload
L304: bipush 79
L306: if_icmpne L317
L309: aload_0
L310: iconst_1
L311: putfield Field Board isAnOWin Z
L314: goto L322
.stack same
L317: aload_0
L318: iconst_0
L319: putfield Field Board isAnOWin Z
.stack same
L322: aload_0
L323: getfield Field Board isAnOWin Z
L326: ireturn
L327:
.linenumbertable
L0 64
L19 65
L32 67
L40 69
L53 71
L61 73
L74 75
L82 77
L121 79
L129 81
L168 83
L176 85
L215 87
L223 89
L262 91
L270 93
L309 95
L317 99
L322 101
.end linenumbertable
.end code
.end method
.sourcefile 'Board.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 23:48: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 Board_ESTest extends Board_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Board board0 = new Board();
char[][] charArray0 = new char[4][8];
board0.setBoard(charArray0);
boolean boolean0 = board0.hasOWin();
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Board board0 = new Board();
char[][] charArray0 = new char[4][8];
board0.setBoard(charArray0);
boolean boolean0 = board0.hasXWin();
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Board board0 = new Board();
board0.setBoard((char[][]) null);
char[][] charArray0 = board0.getBoard();
assertNull(charArray0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Board board0 = new Board();
board0.hasOWin();
board0.hasOWin();
board0.getBoard();
board0.hasXWin();
board0.setBoard(board0.board);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 23:48: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 Board_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Board";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpklokpmko");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Board_ESTest_scaffolding.class.getClassLoader() ,
"Board"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Board_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Board"
);
}
}
| 1,027 |
LanguageTaggedText | ///////////////////////////////////////////////////////////////////////////////
// Copyright (C) 2014 Joliciel Informatique
//
// This file is part of Talismane.
//
// Talismane is free software: you can redistribute it and/or modify
// it under the terms of the GNU Affero General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.
//
// Talismane is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU Affero General Public License for more details.
//
// You should have received a copy of the GNU Affero General Public License
// along with Talismane. If not, see <http://www.gnu.org/licenses/>.
//////////////////////////////////////////////////////////////////////////////
import java.util.Locale;
public class LanguageTaggedText {
private String text;
private Locale language;
public LanguageTaggedText(String text, Locale language) {
super();
this.text = text;
this.language = language;
}
public String getText() {
return text;
}
public Locale getLanguage() {
return language;
}
}
| .version 52 0
.class public super LanguageTaggedText
.super java/lang/Object
.field private text Ljava/lang/String;
.field private language Ljava/util/Locale;
.method public <init> : (Ljava/lang/String;Ljava/util/Locale;)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 LanguageTaggedText text Ljava/lang/String;
L9: aload_0
L10: aload_2
L11: putfield Field LanguageTaggedText language Ljava/util/Locale;
L14: return
L15:
.linenumbertable
L0 28
L4 29
L9 30
L14 31
.end linenumbertable
.end code
.end method
.method public getText : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field LanguageTaggedText text Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 34
.end linenumbertable
.end code
.end method
.method public getLanguage : ()Ljava/util/Locale;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field LanguageTaggedText language Ljava/util/Locale;
L4: areturn
L5:
.linenumbertable
L0 38
.end linenumbertable
.end code
.end method
.sourcefile 'LanguageTaggedText.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 02:16:58 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.util.Locale;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class LanguageTaggedText_ESTest extends LanguageTaggedText_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Locale locale0 = Locale.ROOT;
LanguageTaggedText languageTaggedText0 = new LanguageTaggedText("C", locale0);
String string0 = languageTaggedText0.getText();
assertEquals("C", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Locale locale0 = Locale.CHINESE;
LanguageTaggedText languageTaggedText0 = new LanguageTaggedText("", locale0);
String string0 = languageTaggedText0.getText();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Locale locale0 = Locale.ROOT;
LanguageTaggedText languageTaggedText0 = new LanguageTaggedText("C", locale0);
Locale locale1 = languageTaggedText0.getLanguage();
assertEquals("", locale1.getISO3Country());
}
@Test(timeout = 4000)
public void test3() throws Throwable {
LanguageTaggedText languageTaggedText0 = new LanguageTaggedText((String) null, (Locale) null);
Locale locale0 = languageTaggedText0.getLanguage();
assertNull(locale0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
LanguageTaggedText languageTaggedText0 = new LanguageTaggedText((String) null, (Locale) null);
String string0 = languageTaggedText0.getText();
assertNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 02:16:58 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class LanguageTaggedText_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "LanguageTaggedText";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpcdf6agki");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(LanguageTaggedText_ESTest_scaffolding.class.getClassLoader() ,
"LanguageTaggedText"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(LanguageTaggedText_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"LanguageTaggedText"
);
}
}
| 1,028 |
ItemPK | import java.io.Serializable;
/** Created by angelind on 29/7/16. */
public class ItemPK implements Serializable {
private Integer owningInstitutionId;
private String owningInstitutionItemId;
public ItemPK() {}
public ItemPK(Integer owningInstitutionId, String owningInstitutionItemId) {
this.owningInstitutionId = owningInstitutionId;
this.owningInstitutionItemId = owningInstitutionItemId;
}
public Integer getOwningInstitutionId() {
return owningInstitutionId;
}
public void setOwningInstitutionId(Integer owningInstitutionId) {
this.owningInstitutionId = owningInstitutionId;
}
public String getOwningInstitutionItemId() {
return owningInstitutionItemId;
}
public void setOwningInstitutionItemId(String owningInstitutionItemId) {
this.owningInstitutionItemId = owningInstitutionItemId;
}
@Override
public int hashCode() {
return Integer.valueOf(owningInstitutionId.toString() + owningInstitutionItemId);
}
@Override
public boolean equals(Object obj) {
ItemPK itemPK = (ItemPK) obj;
if (itemPK.getOwningInstitutionId().equals(owningInstitutionId)
&& itemPK.getOwningInstitutionItemId().equals(owningInstitutionItemId)) {
return true;
}
return false;
}
}
| .version 52 0
.class public super ItemPK
.super java/lang/Object
.implements java/io/Serializable
.field private owningInstitutionId Ljava/lang/Integer;
.field private owningInstitutionItemId Ljava/lang/String;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 13
L4 15
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/Integer;Ljava/lang/String;)V
.code stack 2 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field ItemPK owningInstitutionId Ljava/lang/Integer;
L9: aload_0
L10: aload_2
L11: putfield Field ItemPK owningInstitutionItemId Ljava/lang/String;
L14: return
L15:
.linenumbertable
L0 17
L4 18
L9 19
L14 20
.end linenumbertable
.end code
.end method
.method public getOwningInstitutionId : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ItemPK owningInstitutionId Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 23
.end linenumbertable
.end code
.end method
.method public setOwningInstitutionId : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field ItemPK owningInstitutionId Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 27
L5 28
.end linenumbertable
.end code
.end method
.method public getOwningInstitutionItemId : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ItemPK owningInstitutionItemId Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 31
.end linenumbertable
.end code
.end method
.method public setOwningInstitutionItemId : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field ItemPK owningInstitutionItemId Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 35
L5 36
.end linenumbertable
.end code
.end method
.method public hashCode : ()I
.code stack 2 locals 1
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: aload_0
L8: getfield Field ItemPK owningInstitutionId Ljava/lang/Integer;
L11: invokevirtual Method java/lang/Integer toString ()Ljava/lang/String;
L14: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L17: aload_0
L18: getfield Field ItemPK owningInstitutionItemId Ljava/lang/String;
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L27: invokestatic Method java/lang/Integer valueOf (Ljava/lang/String;)Ljava/lang/Integer;
L30: invokevirtual Method java/lang/Integer intValue ()I
L33: ireturn
L34:
.linenumbertable
L0 40
.end linenumbertable
.end code
.end method
.method public equals : (Ljava/lang/Object;)Z
.code stack 2 locals 3
L0: aload_1
L1: checkcast ItemPK
L4: astore_2
L5: aload_2
L6: invokevirtual Method ItemPK getOwningInstitutionId ()Ljava/lang/Integer;
L9: aload_0
L10: getfield Field ItemPK owningInstitutionId Ljava/lang/Integer;
L13: invokevirtual Method java/lang/Integer equals (Ljava/lang/Object;)Z
L16: ifeq L35
L19: aload_2
L20: invokevirtual Method ItemPK getOwningInstitutionItemId ()Ljava/lang/String;
L23: aload_0
L24: getfield Field ItemPK owningInstitutionItemId Ljava/lang/String;
L27: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L30: ifeq L35
L33: iconst_1
L34: ireturn
.stack append Object ItemPK
L35: iconst_0
L36: ireturn
L37:
.linenumbertable
L0 45
L5 46
L33 47
L35 50
.end linenumbertable
.end code
.end method
.sourcefile 'ItemPK.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 21:43:35 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 ItemPK_ESTest extends ItemPK_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
ItemPK itemPK0 = new ItemPK();
String string0 = itemPK0.getOwningInstitutionItemId();
assertNull(string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
ItemPK itemPK0 = new ItemPK();
itemPK0.setOwningInstitutionItemId("");
String string0 = itemPK0.getOwningInstitutionItemId();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
ItemPK itemPK0 = new ItemPK();
Integer integer0 = itemPK0.getOwningInstitutionId();
assertNull(integer0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
Integer integer0 = new Integer(8049);
ItemPK itemPK0 = new ItemPK(integer0, "");
Integer integer1 = itemPK0.getOwningInstitutionId();
assertEquals(8049, (int)integer1);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
Integer integer0 = new Integer(0);
ItemPK itemPK0 = new ItemPK(integer0, "");
Integer integer1 = itemPK0.getOwningInstitutionId();
assertEquals(0, (int)integer1);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
ItemPK itemPK0 = new ItemPK();
Integer integer0 = new Integer((-1));
itemPK0.setOwningInstitutionId(integer0);
Integer integer1 = itemPK0.getOwningInstitutionId();
assertEquals((-1), (int)integer1);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
Integer integer0 = new Integer((-82075));
ItemPK itemPK0 = new ItemPK(integer0, "T-u");
String string0 = itemPK0.getOwningInstitutionItemId();
assertEquals("T-u", string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
ItemPK itemPK0 = new ItemPK();
Integer integer0 = new Integer(28021);
ItemPK itemPK1 = new ItemPK(integer0, "wv");
boolean boolean0 = itemPK0.equals(itemPK1);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
ItemPK itemPK0 = new ItemPK();
Integer integer0 = new Integer(5);
itemPK0.setOwningInstitutionId(integer0);
ItemPK itemPK1 = new ItemPK(integer0, "9");
boolean boolean0 = itemPK0.equals(itemPK1);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
ItemPK itemPK0 = new ItemPK();
// Undeclared exception!
try {
itemPK0.hashCode();
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("ItemPK", e);
}
}
@Test(timeout = 4000)
public void test10() throws Throwable {
Integer integer0 = new Integer((-82075));
ItemPK itemPK0 = new ItemPK(integer0, "T-u");
boolean boolean0 = itemPK0.equals(itemPK0);
assertTrue(boolean0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 21:43: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 ItemPK_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ItemPK";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpdyq_a6ll");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ItemPK_ESTest_scaffolding.class.getClassLoader() ,
"ItemPK"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ItemPK_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ItemPK"
);
}
}
| 1,029 |
NoSuccessorException | public class NoSuccessorException extends RuntimeException {
/** Thorws Exception In case we have no "Next Chain" */
private static final long SERIALVERSIONUID = 1L;
public NoSuccessorException() {
super("No Successor Found");
}
}
| .version 52 0
.class public super NoSuccessorException
.super java/lang/RuntimeException
.field private static final SERIALVERSIONUID J = 1L
.method public <init> : ()V
.code stack 2 locals 1
L0: aload_0
L1: ldc 'No Successor Found'
L3: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V
L6: return
L7:
.linenumbertable
L0 11
L6 12
.end linenumbertable
.end code
.end method
.sourcefile 'NoSuccessorException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 00:41:30 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class NoSuccessorException_ESTest extends NoSuccessorException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
NoSuccessorException noSuccessorException0 = new NoSuccessorException();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 00:41:30 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class NoSuccessorException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "NoSuccessorException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpi01i5nc7");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(NoSuccessorException_ESTest_scaffolding.class.getClassLoader() ,
"NoSuccessorException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(NoSuccessorException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"NoSuccessorException"
);
}
}
| 1,030 |
MyAutoCloseable | /** Created by marina on 16.12.2016. */
public class MyAutoCloseable implements AutoCloseable {
@Override
public void close() throws Exception {
System.out.println("MyAutoCloseable.close called");
}
}
| .version 52 0
.class public super MyAutoCloseable
.super java/lang/Object
.implements java/lang/AutoCloseable
.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 close : ()V
.code stack 2 locals 1
L0: getstatic Field java/lang/System out Ljava/io/PrintStream;
L3: ldc 'MyAutoCloseable.close called'
L5: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L8: return
L9:
.linenumbertable
L0 9
L8 10
.end linenumbertable
.end code
.exceptions java/lang/Exception
.end method
.sourcefile 'MyAutoCloseable.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 00:12: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 MyAutoCloseable_ESTest extends MyAutoCloseable_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
MyAutoCloseable myAutoCloseable0 = new MyAutoCloseable();
myAutoCloseable0.close();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 00:12: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 MyAutoCloseable_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "MyAutoCloseable";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpjdutldyd");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MyAutoCloseable_ESTest_scaffolding.class.getClassLoader() ,
"MyAutoCloseable"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MyAutoCloseable_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MyAutoCloseable"
);
}
}
| 1,031 |
Student | public class Student {
int indeks;
String imie;
String nazwisko;
double ocena;
public Student(int indeks, String imie, String nazwisko, double ocena) {
this.indeks = indeks;
this.imie = imie;
this.nazwisko = nazwisko;
this.ocena = ocena;
}
public void zmienOcene(double oc) {
ocena = oc;
}
public double getOcene() {
return ocena;
}
public int getIndeks() {
return indeks;
}
public void wyswietl() {
System.out.println(indeks + ", " + imie + ", " + nazwisko + ", " + ocena);
}
}
| .version 52 0
.class public super Student
.super java/lang/Object
.field indeks I
.field imie Ljava/lang/String;
.field nazwisko Ljava/lang/String;
.field ocena D
.method public <init> : (ILjava/lang/String;Ljava/lang/String;D)V
.code stack 3 locals 6
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iload_1
L6: putfield Field Student indeks I
L9: aload_0
L10: aload_2
L11: putfield Field Student imie Ljava/lang/String;
L14: aload_0
L15: aload_3
L16: putfield Field Student nazwisko Ljava/lang/String;
L19: aload_0
L20: dload 4
L22: putfield Field Student ocena D
L25: return
L26:
.linenumbertable
L0 10
L4 11
L9 12
L14 13
L19 14
L25 15
.end linenumbertable
.end code
.end method
.method public zmienOcene : (D)V
.code stack 3 locals 3
L0: aload_0
L1: dload_1
L2: putfield Field Student ocena D
L5: return
L6:
.linenumbertable
L0 17
L5 18
.end linenumbertable
.end code
.end method
.method public getOcene : ()D
.code stack 2 locals 1
L0: aload_0
L1: getfield Field Student ocena D
L4: dreturn
L5:
.linenumbertable
L0 19
.end linenumbertable
.end code
.end method
.method public getIndeks : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Student indeks I
L4: ireturn
L5:
.linenumbertable
L0 20
.end linenumbertable
.end code
.end method
.method public wyswietl : ()V
.code stack 4 locals 1
L0: getstatic Field java/lang/System out Ljava/io/PrintStream;
L3: new java/lang/StringBuilder
L6: dup
L7: invokespecial Method java/lang/StringBuilder <init> ()V
L10: aload_0
L11: getfield Field Student indeks I
L14: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L17: ldc ', '
L19: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L22: aload_0
L23: getfield Field Student imie Ljava/lang/String;
L26: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L29: ldc ', '
L31: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L34: aload_0
L35: getfield Field Student nazwisko Ljava/lang/String;
L38: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L41: ldc ', '
L43: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L46: aload_0
L47: getfield Field Student ocena D
L50: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L53: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L56: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L59: return
L60:
.linenumbertable
L0 24
L59 25
.end linenumbertable
.end code
.end method
.sourcefile 'Student.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 11:05: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 Student_ESTest extends Student_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Student student0 = new Student(0, "", "-b6", 0);
student0.ocena = (-64425.701);
student0.ocena = 0.0;
student0.ocena = 1.0;
double double0 = student0.getOcene();
assertEquals(1.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Student student0 = new Student((-1), "29pr", "8u/", (-1));
double double0 = student0.getOcene();
assertEquals((-1.0), double0, 1.0E-4);
assertEquals((-1), student0.getIndeks());
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Student student0 = new Student(17942, (String) null, (String) null, 17942);
int int0 = student0.getIndeks();
assertEquals(17942, int0);
assertEquals(17942.0, student0.getOcene(), 1.0E-4);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Student student0 = new Student((-46623), ">ZZ,PBt,gjv^8", ">ZZ,PBt,gjv^8", (-46623));
int int0 = student0.getIndeks();
assertEquals((-46623.0), student0.getOcene(), 1.0E-4);
assertEquals((-46623), int0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Student student0 = new Student(0, "", "-b6", 0);
double double0 = student0.getOcene();
assertEquals(0.0, double0, 1.0E-4);
assertEquals(0, student0.getIndeks());
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Student student0 = new Student(0, "", "-b6", 0);
student0.zmienOcene(1.0);
assertEquals(1.0, student0.getOcene(), 1.0E-4);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
Student student0 = new Student(0, "", "-b6", 0);
int int0 = student0.getIndeks();
assertEquals(0.0, student0.getOcene(), 1.0E-4);
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
Student student0 = new Student(0, "", "-b6", 0);
student0.wyswietl();
assertEquals(0, student0.getIndeks());
assertEquals(0.0, student0.getOcene(), 1.0E-4);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 11:05: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 Student_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Student";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpp_s_auvn");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Student_ESTest_scaffolding.class.getClassLoader() ,
"Student"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Student_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Student"
);
}
}
| 1,032 |
Main | import java.io.IOException;
/**
* IMPORTANT: O nome da classe deve ser "Main" para que a sua solução execute Class name must be
* "Main" for your solution to execute El nombre de la clase debe ser "Main" para que su solución
* ejecutar
*/
public class Main {
public static void main(String[] args) throws IOException {
/** Escreva a sua solução aqui Code your solution here Escriba su solución aquí */
try (java.util.Scanner scan = new java.util.Scanner(System.in)) {
int A = scan.nextInt();
int B = scan.nextInt();
int X = A + B;
String result = String.format("X = %d", X);
System.out.println(result);
} catch (Exception e) {
}
}
}
| .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 9
L0: new java/util/Scanner
L3: dup
L4: getstatic Field java/lang/System in Ljava/io/InputStream;
L7: invokespecial Method java/util/Scanner <init> (Ljava/io/InputStream;)V
L10: astore_1
L11: aconst_null
L12: astore_2
L13: aload_1
L14: invokevirtual Method java/util/Scanner nextInt ()I
L17: istore_3
L18: aload_1
L19: invokevirtual Method java/util/Scanner nextInt ()I
L22: istore 4
L24: iload_3
L25: iload 4
L27: iadd
L28: istore 5
L30: ldc 'X = %d'
L32: iconst_1
L33: anewarray java/lang/Object
L36: dup
L37: iconst_0
L38: iload 5
L40: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L43: aastore
L44: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String;
L47: astore 6
L49: getstatic Field java/lang/System out Ljava/io/PrintStream;
L52: aload 6
L54: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L57: aload_1
L58: ifnull L128
L61: aload_2
L62: ifnull L81
.catch java/lang/Throwable from L65 to L69 using L72
.catch java/lang/Throwable from L13 to L57 using L88
.catch [0] from L13 to L57 using L93
L65: aload_1
L66: invokevirtual Method java/util/Scanner close ()V
L69: goto L128
.stack full
locals Object [Ljava/lang/String; Object java/util/Scanner Object java/lang/Throwable
stack Object java/lang/Throwable
.end stack
L72: astore_3
L73: aload_2
L74: aload_3
L75: invokevirtual Method java/lang/Throwable addSuppressed (Ljava/lang/Throwable;)V
L78: goto L128
.stack same
L81: aload_1
L82: invokevirtual Method java/util/Scanner close ()V
L85: goto L128
.stack stack_1 Object java/lang/Throwable
L88: astore_3
L89: aload_3
L90: astore_2
L91: aload_3
L92: athrow
.stack stack_1 Object java/lang/Throwable
L93: astore 7
L95: aload_1
L96: ifnull L125
L99: aload_2
L100: ifnull L121
.catch java/lang/Throwable from L103 to L107 using L110
.catch [0] from L88 to L95 using L93
.catch java/lang/Exception from L0 to L128 using L131
L103: aload_1
L104: invokevirtual Method java/util/Scanner close ()V
L107: goto L125
.stack full
locals Object [Ljava/lang/String; Object java/util/Scanner Object java/lang/Throwable Top Top Top Top Object java/lang/Throwable
stack Object java/lang/Throwable
.end stack
L110: astore 8
L112: aload_2
L113: aload 8
L115: invokevirtual Method java/lang/Throwable addSuppressed (Ljava/lang/Throwable;)V
L118: goto L125
.stack same
L121: aload_1
L122: invokevirtual Method java/util/Scanner close ()V
.stack same
L125: aload 7
L127: athrow
.stack full
locals Object [Ljava/lang/String;
stack
.end stack
L128: goto L132
.stack stack_1 Object java/lang/Exception
L131: astore_1
.stack same
L132: return
L133:
.linenumbertable
L0 19
L13 20
L18 21
L24 22
L30 24
L49 26
L57 27
L88 19
L93 27
L128 28
L131 27
L132 30
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.sourcefile 'Main.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 19:09:43 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.util.SystemInUtil;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Main_ESTest extends Main_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[2];
SystemInUtil.addInputLine("7");
Main.main(stringArray0);
assertEquals(2, stringArray0.length);
}
@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
* Sun Jul 03 19:09: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 Main_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Main";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
org.evosuite.runtime.util.SystemInUtil.getInstance().initForTestCase();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp_kju0u1z");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Main_ESTest_scaffolding.class.getClassLoader() ,
"Main"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Main_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Main"
);
}
}
| 1,033 |
ReqType | /** ÇëÇóÏûÏ¢ÀàÐÍ */
public class ReqType {
/** ÇëÇóÏûÏ¢ÀàÐÍ£ºÎı¾ */
public static final String TEXT = "text";
/** ÇëÇóÏûÏ¢ÀàÐÍ£ºÍ¼Æ¬ */
public static final String IMAGE = "image";
/** ÇëÇóÏûÏ¢ÀàÐÍ£ºÁ´½Ó */
public static final String LINK = "link";
/** ÇëÇóÏûÏ¢ÀàÐÍ£ºµØÀíλÖà */
public static final String LOCATION = "location";
/** ÇëÇóÏûÏ¢ÀàÐÍ£ºÒôƵ */
public static final String VOICE = "voice";
/** ÇëÇóÏûÏ¢ÀàÐÍ£ºÊÓÆµ */
public static final String VIDEO = "video";
/** ÇëÇóÏûÏ¢ÀàÐÍ£ºÊ¼þÍÆËÍ */
public static final String EVENT = "event";
}
| .version 52 0
.class public super ReqType
.super java/lang/Object
.field public static final TEXT Ljava/lang/String; = 'text'
.field public static final IMAGE Ljava/lang/String; = 'image'
.field public static final LINK Ljava/lang/String; = 'link'
.field public static final LOCATION Ljava/lang/String; = 'location'
.field public static final VOICE Ljava/lang/String; = 'voice'
.field public static final VIDEO Ljava/lang/String; = 'video'
.field public static final EVENT Ljava/lang/String; = 'event'
.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 'ReqType.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 06:49: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 ReqType_ESTest extends ReqType_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ReqType reqType0 = new ReqType();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 06:49: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 ReqType_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ReqType";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpdq9kkv4i");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ReqType_ESTest_scaffolding.class.getClassLoader() ,
"ReqType"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ReqType_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ReqType"
);
}
}
| 1,034 |
JobHandleClosedException | public class JobHandleClosedException extends RuntimeException {}
| .version 52 0
.class public super JobHandleClosedException
.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 3
.end linenumbertable
.end code
.end method
.sourcefile 'JobHandleClosedException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 15:45: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 JobHandleClosedException_ESTest extends JobHandleClosedException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
JobHandleClosedException jobHandleClosedException0 = new JobHandleClosedException();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 15:45: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 JobHandleClosedException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "JobHandleClosedException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpr9qw6757");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(JobHandleClosedException_ESTest_scaffolding.class.getClassLoader() ,
"JobHandleClosedException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(JobHandleClosedException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"JobHandleClosedException"
);
}
}
| 1,035 |
CardinalityException | /**
* 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.
*/
/**
* Exception thrown when there is a cardinality mismatch in matrix or vector operations. For
* example, vectors of differing cardinality cannot be added.
*/
public class CardinalityException extends IllegalArgumentException {
public CardinalityException(int expected, int cardinality) {
super("Required cardinality " + expected + " but got " + cardinality);
}
}
| .version 52 0
.class public super CardinalityException
.super java/lang/IllegalArgumentException
.method public <init> : (II)V
.code stack 3 locals 3
L0: aload_0
L1: new java/lang/StringBuilder
L4: dup
L5: invokespecial Method java/lang/StringBuilder <init> ()V
L8: ldc 'Required cardinality '
L10: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L13: iload_1
L14: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L17: ldc ' but got '
L19: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L22: iload_2
L23: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L26: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L29: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;)V
L32: return
L33:
.linenumbertable
L0 27
L32 28
.end linenumbertable
.end code
.end method
.sourcefile 'CardinalityException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 22:41: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 CardinalityException_ESTest extends CardinalityException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
CardinalityException cardinalityException0 = new CardinalityException(0, 14364);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 22:41: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 CardinalityException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "CardinalityException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpedlsnt4r");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CardinalityException_ESTest_scaffolding.class.getClassLoader() ,
"CardinalityException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CardinalityException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"CardinalityException"
);
}
}
| 1,036 |
ContainsKey | import java.util.HashMap;
import java.util.Map;
// http://oj.leetcode.com/problems/two-sum/
public class ContainsKey {
public int[] twoSum(int[] numbers, int target) {
Map<Integer, Integer> cache = new HashMap<Integer, Integer>();
for (int i = 0; i < numbers.length; i++) {
Integer sum = target - numbers[i];
if (cache.containsKey(sum)) {
return new int[] {cache.get(sum) + 1, i + 1};
} else {
cache.put(numbers[i], i);
}
}
throw new IllegalArgumentException();
}
}
| .version 52 0
.class public super ContainsKey
.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 twoSum : ([II)[I
.code stack 5 locals 6
L0: new java/util/HashMap
L3: dup
L4: invokespecial Method java/util/HashMap <init> ()V
L7: astore_3
L8: iconst_0
L9: istore 4
.stack append Object java/util/Map Integer
L11: iload 4
L13: aload_1
L14: arraylength
L15: if_icmpge L95
L18: iload_2
L19: aload_1
L20: iload 4
L22: iaload
L23: isub
L24: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L27: astore 5
L29: aload_3
L30: aload 5
L32: invokeinterface InterfaceMethod java/util/Map containsKey (Ljava/lang/Object;)Z 2
L37: ifeq L70
L40: iconst_2
L41: newarray int
L43: dup
L44: iconst_0
L45: aload_3
L46: aload 5
L48: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2
L53: checkcast java/lang/Integer
L56: invokevirtual Method java/lang/Integer intValue ()I
L59: iconst_1
L60: iadd
L61: iastore
L62: dup
L63: iconst_1
L64: iload 4
L66: iconst_1
L67: iadd
L68: iastore
L69: areturn
.stack append Object java/lang/Integer
L70: aload_3
L71: aload_1
L72: iload 4
L74: iaload
L75: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L78: iload 4
L80: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L83: invokeinterface InterfaceMethod java/util/Map put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; 3
L88: pop
L89: iinc 4 1
L92: goto L11
.stack chop 2
L95: new java/lang/IllegalArgumentException
L98: dup
L99: invokespecial Method java/lang/IllegalArgumentException <init> ()V
L102: athrow
L103:
.linenumbertable
L0 9
L8 10
L18 11
L29 12
L40 13
L70 15
L89 10
L95 18
.end linenumbertable
.end code
.end method
.sourcefile 'ContainsKey.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 20:06:25 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class ContainsKey_ESTest extends ContainsKey_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ContainsKey containsKey0 = new ContainsKey();
int[] intArray0 = new int[7];
int[] intArray1 = containsKey0.twoSum(intArray0, 0);
assertArrayEquals(new int[] {1, 2}, intArray1);
intArray0[0] = (-1);
intArray0[1] = (-18628);
int[] intArray2 = containsKey0.twoSum(intArray0, 0);
assertArrayEquals(new int[] {3, 4}, intArray2);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
ContainsKey containsKey0 = new ContainsKey();
int[] intArray0 = new int[9];
intArray0[0] = (-6760);
intArray0[1] = 2;
intArray0[2] = (-27611);
intArray0[3] = 1;
intArray0[5] = 78547;
intArray0[6] = 1;
intArray0[7] = (-77515);
intArray0[8] = (-63829);
// Undeclared exception!
try {
containsKey0.twoSum(intArray0, 0);
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("ContainsKey", e);
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 20:06: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 ContainsKey_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ContainsKey";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp78ox6i89");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ContainsKey_ESTest_scaffolding.class.getClassLoader() ,
"ContainsKey"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ContainsKey_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ContainsKey"
);
}
}
| 1,037 |
X29 | public class X29 {
/**
* @param <code>text</code>, the string to match
* @param <code>start</code>, the starting index in the text for search, inclusive
* @param <code>end</code>, the stopping point of search, exclusive
* @param code>p</code>, a string that has no wildcard
* @param <code>ignoreCase</code>, boolean indicating wether code>p</code> is case sensitive
* @return the starting index in the text of the pattern , or -1 if not found
*/
void foo() {}
}
| .version 52 0
.class public super X29
.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 foo : ()V
.code stack 0 locals 1
L0: return
L1:
.linenumbertable
L0 20
.end linenumbertable
.end code
.end method
.sourcefile 'X29.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 11:16: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 X29_ESTest extends X29_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
X29 x29_0 = new X29();
x29_0.foo();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 11:16: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 X29_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "X29";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpcv0ereqc");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(X29_ESTest_scaffolding.class.getClassLoader() ,
"X29"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(X29_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"X29"
);
}
}
| 1,038 |
UserModel | import java.io.Serializable;
/**
* 用户表的实体类
*
* @author honghao 2015-03-06
*/
public class UserModel implements Serializable {
private static final long serialVersionUID = 1L;
// 主账号用户id
private int userId;
// 登录的用户名
private String loginName;
// 用户登录密码
private String loginPassword;
// 用户注册邮箱
private String email;
// 用户联系号码
private String phone;
// 用户qq号
private String qq;
// 用户真实姓名
private String userName;
// 公司所在地址
private String address;
// 单位名
private String unitName;
// 国家
private String country;
// 省份
private String province;
// 城市
private String city;
// 邮编
private String postalNum;
// 用户注册时间
private String registertime;
// 用户最后登录的时间
private String endLoginTime;
// 用户的购买时间
private String beginTime;
// 用户的到期时间
private String endTime;
// 用户身份描述
private String userDesc;
// 允许子账户授权的次数
private int sonAccountTotal;
// 是否激活 默认是0未激活
private boolean isActivated;
// 已经添加的子账号的数量
private int sonAccountNum;
// 开启子账号服务 1代表已经开启 0代表开启
private boolean openService;
// 账号是否已经被占时锁定1代表锁定,0代表未锁定
private boolean isLocked;
// 用户登录密码错误的次数
private int loginCount;
// 账号是否已经被禁用1代表禁用,0代表未禁用
private boolean isDisable;
// sql语句
private String sql;
// 指向上一级
private int relaId;
// 主账户
private int mainId;
// 电话
private String tel;
// 自动登录
private String autoLogin;
// firstName
private String firstName;
// lastName
private String lastName;
public UserModel() {}
public UserModel(
int userId,
String loginName,
String loginPassword,
String email,
String phone,
String qq,
String userName,
String address,
String registertime,
String endLoginTime,
String beginTime,
String endTime,
String userDesc,
int sonAccountTotal,
boolean isActivated,
int sonAccountNum,
boolean openService,
boolean isLocked,
int loginCount,
boolean isDisable,
String sql,
int relaId,
int mainId,
String firstName,
String lastName) {
super();
this.userId = userId;
this.loginName = loginName;
this.loginPassword = loginPassword;
this.email = email;
this.phone = phone;
this.qq = qq;
this.userName = userName;
this.address = address;
this.registertime = registertime;
this.endLoginTime = endLoginTime;
this.beginTime = beginTime;
this.endTime = endTime;
this.userDesc = userDesc;
this.sonAccountTotal = sonAccountTotal;
this.isActivated = isActivated;
this.sonAccountNum = sonAccountNum;
this.openService = openService;
this.isLocked = isLocked;
this.loginCount = loginCount;
this.isDisable = isDisable;
this.sql = sql;
this.relaId = relaId;
this.mainId = mainId;
this.firstName = firstName;
this.lastName = lastName;
}
public int getUserId() {
return userId;
}
public void setUserId(int userId) {
this.userId = userId;
}
public String getLoginName() {
return loginName;
}
public void setLoginName(String loginName) {
this.loginName = loginName;
}
public String getLoginPassword() {
return loginPassword;
}
public void setLoginPassword(String loginPassword) {
this.loginPassword = loginPassword;
}
public String getEmail() {
return email;
}
public void setEmail(String email) {
this.email = email;
}
public String getPhone() {
return phone;
}
public void setPhone(String phone) {
this.phone = phone;
}
public String getQq() {
return qq;
}
public void setQq(String qq) {
this.qq = qq;
}
public String getUserName() {
return userName;
}
public void setUserName(String userName) {
this.userName = userName;
}
public String getAddress() {
return address;
}
public void setAddress(String address) {
this.address = address;
}
public String getRegistertime() {
return registertime;
}
public void setRegistertime(String registertime) {
this.registertime = registertime;
}
public String getEndLoginTime() {
return endLoginTime;
}
public void setEndLoginTime(String endLoginTime) {
this.endLoginTime = endLoginTime;
}
public String getBeginTime() {
return beginTime;
}
public String getUnitName() {
return unitName;
}
public void setUnitName(String unitName) {
this.unitName = unitName;
}
public String getCountry() {
return country;
}
public void setCountry(String country) {
this.country = country;
}
public String getProvince() {
return province;
}
public void setProvince(String province) {
this.province = province;
}
public String getCity() {
return city;
}
public void setCity(String city) {
this.city = city;
}
public String getPostalNum() {
return postalNum;
}
public void setPostalNum(String postalNum) {
this.postalNum = postalNum;
}
public void setBeginTime(String beginTime) {
this.beginTime = beginTime;
}
public String getEndTime() {
return endTime;
}
public void setEndTime(String endTime) {
this.endTime = endTime;
}
public String getUserDesc() {
return userDesc;
}
public void setUserDesc(String userDesc) {
this.userDesc = userDesc;
}
public int getSonAccountTotal() {
return sonAccountTotal;
}
public void setSonAccountTotal(int sonAccountTotal) {
this.sonAccountTotal = sonAccountTotal;
}
public boolean getIsActivated() {
return isActivated;
}
public void setIsActivated(boolean isActivated) {
this.isActivated = isActivated;
}
public int getSonAccountNum() {
return sonAccountNum;
}
public void setSonAccountNum(int sonAccountNum) {
this.sonAccountNum = sonAccountNum;
}
public boolean getOpenService() {
return openService;
}
public void setOpenService(boolean openService) {
this.openService = openService;
}
public boolean getIsLocked() {
return isLocked;
}
public void setIsLocked(boolean isLocked) {
this.isLocked = isLocked;
}
public int getLoginCount() {
return loginCount;
}
public void setLoginCount(int loginCount) {
this.loginCount = loginCount;
}
public boolean getIsDisable() {
return isDisable;
}
public void setIsDisable(boolean isDisable) {
this.isDisable = isDisable;
}
public String getSql() {
return sql;
}
public void setSql(String sql) {
this.sql = sql;
}
public int getRelaId() {
return relaId;
}
public void setRelaId(int relaId) {
this.relaId = relaId;
}
public int getMainId() {
return mainId;
}
public void setMainId(int mainId) {
this.mainId = mainId;
}
public String getTel() {
return tel;
}
public void setTel(String tel) {
this.tel = tel;
}
public String getAutoLogin() {
return autoLogin;
}
public void setAutoLogin(String autoLogin) {
this.autoLogin = autoLogin;
}
public String getFirstName() {
return firstName;
}
public void setFirstName(String firstName) {
this.firstName = firstName;
}
public String getLastName() {
return lastName;
}
public void setLastName(String lastName) {
this.lastName = lastName;
}
}
| .version 52 0
.class public super UserModel
.super java/lang/Object
.implements java/io/Serializable
.field private static final serialVersionUID J = 1L
.field private userId I
.field private loginName Ljava/lang/String;
.field private loginPassword Ljava/lang/String;
.field private email Ljava/lang/String;
.field private phone Ljava/lang/String;
.field private qq Ljava/lang/String;
.field private userName Ljava/lang/String;
.field private address Ljava/lang/String;
.field private unitName Ljava/lang/String;
.field private country Ljava/lang/String;
.field private province Ljava/lang/String;
.field private city Ljava/lang/String;
.field private postalNum Ljava/lang/String;
.field private registertime Ljava/lang/String;
.field private endLoginTime Ljava/lang/String;
.field private beginTime Ljava/lang/String;
.field private endTime Ljava/lang/String;
.field private userDesc Ljava/lang/String;
.field private sonAccountTotal I
.field private isActivated Z
.field private sonAccountNum I
.field private openService Z
.field private isLocked Z
.field private loginCount I
.field private isDisable Z
.field private sql Ljava/lang/String;
.field private relaId I
.field private mainId I
.field private tel Ljava/lang/String;
.field private autoLogin Ljava/lang/String;
.field private firstName Ljava/lang/String;
.field private lastName 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 79
L4 81
.end linenumbertable
.end code
.end method
.method public <init> : (ILjava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;IZIZZIZLjava/lang/String;IILjava/lang/String;Ljava/lang/String;)V
.code stack 2 locals 26
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iload_1
L6: putfield Field UserModel userId I
L9: aload_0
L10: aload_2
L11: putfield Field UserModel loginName Ljava/lang/String;
L14: aload_0
L15: aload_3
L16: putfield Field UserModel loginPassword Ljava/lang/String;
L19: aload_0
L20: aload 4
L22: putfield Field UserModel email Ljava/lang/String;
L25: aload_0
L26: aload 5
L28: putfield Field UserModel phone Ljava/lang/String;
L31: aload_0
L32: aload 6
L34: putfield Field UserModel qq Ljava/lang/String;
L37: aload_0
L38: aload 7
L40: putfield Field UserModel userName Ljava/lang/String;
L43: aload_0
L44: aload 8
L46: putfield Field UserModel address Ljava/lang/String;
L49: aload_0
L50: aload 9
L52: putfield Field UserModel registertime Ljava/lang/String;
L55: aload_0
L56: aload 10
L58: putfield Field UserModel endLoginTime Ljava/lang/String;
L61: aload_0
L62: aload 11
L64: putfield Field UserModel beginTime Ljava/lang/String;
L67: aload_0
L68: aload 12
L70: putfield Field UserModel endTime Ljava/lang/String;
L73: aload_0
L74: aload 13
L76: putfield Field UserModel userDesc Ljava/lang/String;
L79: aload_0
L80: iload 14
L82: putfield Field UserModel sonAccountTotal I
L85: aload_0
L86: iload 15
L88: putfield Field UserModel isActivated Z
L91: aload_0
L92: iload 16
L94: putfield Field UserModel sonAccountNum I
L97: aload_0
L98: iload 17
L100: putfield Field UserModel openService Z
L103: aload_0
L104: iload 18
L106: putfield Field UserModel isLocked Z
L109: aload_0
L110: iload 19
L112: putfield Field UserModel loginCount I
L115: aload_0
L116: iload 20
L118: putfield Field UserModel isDisable Z
L121: aload_0
L122: aload 21
L124: putfield Field UserModel sql Ljava/lang/String;
L127: aload_0
L128: iload 22
L130: putfield Field UserModel relaId I
L133: aload_0
L134: iload 23
L136: putfield Field UserModel mainId I
L139: aload_0
L140: aload 24
L142: putfield Field UserModel firstName Ljava/lang/String;
L145: aload_0
L146: aload 25
L148: putfield Field UserModel lastName Ljava/lang/String;
L151: return
L152:
.linenumbertable
L0 91
L4 92
L9 93
L14 94
L19 95
L25 96
L31 97
L37 98
L43 99
L49 100
L55 101
L61 102
L67 103
L73 104
L79 105
L85 106
L91 107
L97 108
L103 109
L109 110
L115 111
L121 112
L127 113
L133 114
L139 115
L145 116
L151 117
.end linenumbertable
.end code
.end method
.method public getUserId : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel userId I
L4: ireturn
L5:
.linenumbertable
L0 120
.end linenumbertable
.end code
.end method
.method public setUserId : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field UserModel userId I
L5: return
L6:
.linenumbertable
L0 124
L5 125
.end linenumbertable
.end code
.end method
.method public getLoginName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel loginName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 128
.end linenumbertable
.end code
.end method
.method public setLoginName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserModel loginName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 132
L5 133
.end linenumbertable
.end code
.end method
.method public getLoginPassword : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel loginPassword Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 136
.end linenumbertable
.end code
.end method
.method public setLoginPassword : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserModel loginPassword Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 140
L5 141
.end linenumbertable
.end code
.end method
.method public getEmail : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel email Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 144
.end linenumbertable
.end code
.end method
.method public setEmail : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserModel email Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 148
L5 149
.end linenumbertable
.end code
.end method
.method public getPhone : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel phone Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 152
.end linenumbertable
.end code
.end method
.method public setPhone : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserModel phone Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 156
L5 157
.end linenumbertable
.end code
.end method
.method public getQq : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel qq Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 160
.end linenumbertable
.end code
.end method
.method public setQq : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserModel qq Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 164
L5 165
.end linenumbertable
.end code
.end method
.method public getUserName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel userName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 168
.end linenumbertable
.end code
.end method
.method public setUserName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserModel userName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 172
L5 173
.end linenumbertable
.end code
.end method
.method public getAddress : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel address Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 176
.end linenumbertable
.end code
.end method
.method public setAddress : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserModel address Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 180
L5 181
.end linenumbertable
.end code
.end method
.method public getRegistertime : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel registertime Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 184
.end linenumbertable
.end code
.end method
.method public setRegistertime : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserModel registertime Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 188
L5 189
.end linenumbertable
.end code
.end method
.method public getEndLoginTime : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel endLoginTime Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 192
.end linenumbertable
.end code
.end method
.method public setEndLoginTime : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserModel endLoginTime Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 196
L5 197
.end linenumbertable
.end code
.end method
.method public getBeginTime : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel beginTime Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 200
.end linenumbertable
.end code
.end method
.method public getUnitName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel unitName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 204
.end linenumbertable
.end code
.end method
.method public setUnitName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserModel unitName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 208
L5 209
.end linenumbertable
.end code
.end method
.method public getCountry : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel country Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 212
.end linenumbertable
.end code
.end method
.method public setCountry : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserModel country Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 216
L5 217
.end linenumbertable
.end code
.end method
.method public getProvince : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel province Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 220
.end linenumbertable
.end code
.end method
.method public setProvince : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserModel province Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 224
L5 225
.end linenumbertable
.end code
.end method
.method public getCity : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel city Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 228
.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 UserModel city Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 232
L5 233
.end linenumbertable
.end code
.end method
.method public getPostalNum : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel postalNum Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 236
.end linenumbertable
.end code
.end method
.method public setPostalNum : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserModel postalNum Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 240
L5 241
.end linenumbertable
.end code
.end method
.method public setBeginTime : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserModel beginTime Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 244
L5 245
.end linenumbertable
.end code
.end method
.method public getEndTime : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel endTime Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 248
.end linenumbertable
.end code
.end method
.method public setEndTime : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserModel endTime Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 252
L5 253
.end linenumbertable
.end code
.end method
.method public getUserDesc : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel userDesc Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 256
.end linenumbertable
.end code
.end method
.method public setUserDesc : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserModel userDesc Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 260
L5 261
.end linenumbertable
.end code
.end method
.method public getSonAccountTotal : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel sonAccountTotal I
L4: ireturn
L5:
.linenumbertable
L0 264
.end linenumbertable
.end code
.end method
.method public setSonAccountTotal : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field UserModel sonAccountTotal I
L5: return
L6:
.linenumbertable
L0 268
L5 269
.end linenumbertable
.end code
.end method
.method public getIsActivated : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel isActivated Z
L4: ireturn
L5:
.linenumbertable
L0 272
.end linenumbertable
.end code
.end method
.method public setIsActivated : (Z)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field UserModel isActivated Z
L5: return
L6:
.linenumbertable
L0 276
L5 277
.end linenumbertable
.end code
.end method
.method public getSonAccountNum : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel sonAccountNum I
L4: ireturn
L5:
.linenumbertable
L0 280
.end linenumbertable
.end code
.end method
.method public setSonAccountNum : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field UserModel sonAccountNum I
L5: return
L6:
.linenumbertable
L0 284
L5 285
.end linenumbertable
.end code
.end method
.method public getOpenService : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel openService Z
L4: ireturn
L5:
.linenumbertable
L0 288
.end linenumbertable
.end code
.end method
.method public setOpenService : (Z)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field UserModel openService Z
L5: return
L6:
.linenumbertable
L0 292
L5 293
.end linenumbertable
.end code
.end method
.method public getIsLocked : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel isLocked Z
L4: ireturn
L5:
.linenumbertable
L0 296
.end linenumbertable
.end code
.end method
.method public setIsLocked : (Z)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field UserModel isLocked Z
L5: return
L6:
.linenumbertable
L0 300
L5 301
.end linenumbertable
.end code
.end method
.method public getLoginCount : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel loginCount I
L4: ireturn
L5:
.linenumbertable
L0 304
.end linenumbertable
.end code
.end method
.method public setLoginCount : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field UserModel loginCount I
L5: return
L6:
.linenumbertable
L0 308
L5 309
.end linenumbertable
.end code
.end method
.method public getIsDisable : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel isDisable Z
L4: ireturn
L5:
.linenumbertable
L0 312
.end linenumbertable
.end code
.end method
.method public setIsDisable : (Z)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field UserModel isDisable Z
L5: return
L6:
.linenumbertable
L0 316
L5 317
.end linenumbertable
.end code
.end method
.method public getSql : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel sql Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 320
.end linenumbertable
.end code
.end method
.method public setSql : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserModel sql Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 324
L5 325
.end linenumbertable
.end code
.end method
.method public getRelaId : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel relaId I
L4: ireturn
L5:
.linenumbertable
L0 328
.end linenumbertable
.end code
.end method
.method public setRelaId : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field UserModel relaId I
L5: return
L6:
.linenumbertable
L0 332
L5 333
.end linenumbertable
.end code
.end method
.method public getMainId : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel mainId I
L4: ireturn
L5:
.linenumbertable
L0 336
.end linenumbertable
.end code
.end method
.method public setMainId : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field UserModel mainId I
L5: return
L6:
.linenumbertable
L0 340
L5 341
.end linenumbertable
.end code
.end method
.method public getTel : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel tel Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 344
.end linenumbertable
.end code
.end method
.method public setTel : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserModel tel Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 348
L5 349
.end linenumbertable
.end code
.end method
.method public getAutoLogin : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel autoLogin Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 352
.end linenumbertable
.end code
.end method
.method public setAutoLogin : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserModel autoLogin Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 356
L5 357
.end linenumbertable
.end code
.end method
.method public getFirstName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel firstName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 359
.end linenumbertable
.end code
.end method
.method public setFirstName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserModel firstName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 362
L5 363
.end linenumbertable
.end code
.end method
.method public getLastName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserModel lastName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 365
.end linenumbertable
.end code
.end method
.method public setLastName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserModel lastName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 368
L5 369
.end linenumbertable
.end code
.end method
.sourcefile 'UserModel.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 01:05: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 UserModel_ESTest extends UserModel_ESTest_scaffolding {
@Test(timeout = 4000)
public void test000() throws Throwable {
UserModel userModel0 = new UserModel(0, "67k,", "67k,", "", "jdMV^hQ# *<%d", "67k,", "jdMV^hQ# *<%d", "[2=Yx61l", "", "jdMV^hQ# *<%d", "jdMV^hQ# *<%d", "p931D)& ", "", 0, false, 23496, false, false, 23496, false, "p931D)& ", 0, 0, "2BR", "67k,");
userModel0.getUserName();
assertFalse(userModel0.getIsActivated());
assertEquals(23496, userModel0.getSonAccountNum());
assertFalse(userModel0.getIsDisable());
assertFalse(userModel0.getIsLocked());
assertEquals(0, userModel0.getMainId());
assertEquals(0, userModel0.getSonAccountTotal());
assertFalse(userModel0.getOpenService());
assertEquals(0, userModel0.getUserId());
assertEquals(0, userModel0.getRelaId());
assertEquals(23496, userModel0.getLoginCount());
}
@Test(timeout = 4000)
public void test001() throws Throwable {
UserModel userModel0 = new UserModel(0, "", "fwFl*:1}4PN4'U*d", "fwFl*:1}4PN4'U*d", "hrEk{+cb1roQ", "", "", "hrEk{+cb1roQ", "", "", "", "", "fwFl*:1}4PN4'U*d", 0, false, (-99724), false, false, 0, false, "L.0|lYEB9vs<R8", 0, 0, "", "L.0|lYEB9vs<R8");
userModel0.getUserName();
assertEquals((-99724), userModel0.getSonAccountNum());
assertFalse(userModel0.getIsDisable());
assertEquals(0, userModel0.getUserId());
assertEquals(0, userModel0.getLoginCount());
assertFalse(userModel0.getIsLocked());
assertEquals(0, userModel0.getMainId());
assertEquals(0, userModel0.getSonAccountTotal());
assertFalse(userModel0.getIsActivated());
assertFalse(userModel0.getOpenService());
assertEquals(0, userModel0.getRelaId());
}
@Test(timeout = 4000)
public void test002() throws Throwable {
UserModel userModel0 = new UserModel(27820, "UserModel", "UserModel", "", "UserModel", "", "`BK", "UserModel", "`BK", "UserModel", "`BK", "", "", 27820, false, 27820, false, false, (-1), false, "", 27820, 27820, "gT'J1Y9_:", "T? |4");
int int0 = userModel0.getUserId();
assertFalse(userModel0.getIsLocked());
assertEquals(27820, userModel0.getMainId());
assertEquals((-1), userModel0.getLoginCount());
assertEquals(27820, int0);
assertEquals(27820, userModel0.getSonAccountTotal());
assertFalse(userModel0.getIsActivated());
assertEquals(27820, userModel0.getRelaId());
assertFalse(userModel0.getOpenService());
assertEquals(27820, userModel0.getSonAccountNum());
assertFalse(userModel0.getIsDisable());
}
@Test(timeout = 4000)
public void test003() throws Throwable {
UserModel userModel0 = new UserModel((-41422), "QRA|;`?Z", "QRA|;`?Z", "}0ituK'GrA", (String) null, "}0ituK'GrA", "", "!=q$", "JJJLPI$h&3I", "QRA|;`?Z", "!=q$", (String) null, (String) null, 1, true, 1, false, true, 1, false, (String) null, 1, 0, "", "");
int int0 = userModel0.getUserId();
assertEquals((-41422), int0);
assertFalse(userModel0.getIsDisable());
assertEquals(1, userModel0.getSonAccountNum());
assertEquals(1, userModel0.getRelaId());
assertEquals(0, userModel0.getMainId());
assertTrue(userModel0.getIsActivated());
assertFalse(userModel0.getOpenService());
assertEquals(1, userModel0.getSonAccountTotal());
assertTrue(userModel0.getIsLocked());
assertEquals(1, userModel0.getLoginCount());
}
@Test(timeout = 4000)
public void test004() throws Throwable {
UserModel userModel0 = new UserModel();
userModel0.setUserDesc("UserModel");
String string0 = userModel0.getUserDesc();
assertEquals("UserModel", string0);
}
@Test(timeout = 4000)
public void test005() throws Throwable {
UserModel userModel0 = new UserModel(0, "7GU)8hc7,~", "7cZW[", "CZ, k<A|$4?%s`7f", "CZ, k<A|$4?%s`7f", "im", "", "", "7GU)8hc7,~", "e0.{{b{UF", "", "i/S:Bi", "", 0, false, 1, false, false, 0, false, "7cZW[", 0, 0, "fep?-sem#", "");
userModel0.getUserDesc();
assertEquals(0, userModel0.getUserId());
assertFalse(userModel0.getOpenService());
assertEquals(1, userModel0.getSonAccountNum());
assertEquals(0, userModel0.getSonAccountTotal());
assertFalse(userModel0.getIsLocked());
assertEquals(0, userModel0.getRelaId());
assertEquals(0, userModel0.getMainId());
assertFalse(userModel0.getIsDisable());
assertFalse(userModel0.getIsActivated());
assertEquals(0, userModel0.getLoginCount());
}
@Test(timeout = 4000)
public void test006() throws Throwable {
UserModel userModel0 = new UserModel(0, "", "", "", "#} Z\u0001\",c*\"(P;(76", (String) null, "", "", (String) null, "", "", "", "", (-85331), true, 0, true, true, (-85331), true, "=c", (-85331), (-810), "", "");
userModel0.setUnitName("UserModel");
userModel0.getUnitName();
assertEquals((-810), userModel0.getMainId());
assertEquals((-85331), userModel0.getRelaId());
assertEquals((-85331), userModel0.getSonAccountTotal());
assertEquals(0, userModel0.getSonAccountNum());
assertEquals((-85331), userModel0.getLoginCount());
assertEquals(0, userModel0.getUserId());
assertTrue(userModel0.getIsActivated());
assertTrue(userModel0.getOpenService());
assertTrue(userModel0.getIsDisable());
assertTrue(userModel0.getIsLocked());
}
@Test(timeout = 4000)
public void test007() throws Throwable {
UserModel userModel0 = new UserModel();
userModel0.setUnitName("");
String string0 = userModel0.getUnitName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test008() throws Throwable {
UserModel userModel0 = new UserModel(0, "_Vf/i$kWVvjT", "_Vf/i$kWVvjT", ";?Ci", "", ";?Ci", "_Vf/i$kWVvjT", "", "mWJ'", "8+;]7m8~dxoIXSq", ";?Ci", "_Vf/i$kWVvjT", "", (-21311), true, (-1), false, false, 0, false, "_Vf/i$kWVvjT", 0, (-1), "8+;]7m8~dxoIXSq", "");
userModel0.setTel("sy8");
userModel0.getTel();
assertEquals(0, userModel0.getLoginCount());
assertFalse(userModel0.getIsLocked());
assertEquals((-21311), userModel0.getSonAccountTotal());
assertEquals(0, userModel0.getRelaId());
assertFalse(userModel0.getIsDisable());
assertEquals((-1), userModel0.getSonAccountNum());
assertTrue(userModel0.getIsActivated());
assertEquals((-1), userModel0.getMainId());
assertFalse(userModel0.getOpenService());
assertEquals(0, userModel0.getUserId());
}
@Test(timeout = 4000)
public void test009() throws Throwable {
UserModel userModel0 = new UserModel();
userModel0.setTel("");
String string0 = userModel0.getTel();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test010() throws Throwable {
UserModel userModel0 = new UserModel();
userModel0.setSql("h^{QOo[zso Cg/#");
String string0 = userModel0.getSql();
assertEquals("h^{QOo[zso Cg/#", string0);
}
@Test(timeout = 4000)
public void test011() throws Throwable {
UserModel userModel0 = new UserModel((-13399), "x$IES-m#Z`*;z:Km=(8", "x$IES-m#Z`*;z:Km=(8", "x$IES-m#Z`*;z:Km=(8", "x$IES-m#Z`*;z:Km=(8", "x$IES-m#Z`*;z:Km=(8", "x$IES-m#Z`*;z:Km=(8", "", "B;-T'aH{Q@,^?", "", "", "", "", (-13399), false, (-13399), false, false, 1, false, "", (-13399), 1, "9/UwAO", "");
userModel0.getSql();
assertFalse(userModel0.getIsDisable());
assertEquals((-13399), userModel0.getSonAccountTotal());
assertFalse(userModel0.getIsActivated());
assertEquals(1, userModel0.getLoginCount());
assertEquals((-13399), userModel0.getRelaId());
assertEquals((-13399), userModel0.getUserId());
assertFalse(userModel0.getOpenService());
assertEquals(1, userModel0.getMainId());
assertEquals((-13399), userModel0.getSonAccountNum());
assertFalse(userModel0.getIsLocked());
}
@Test(timeout = 4000)
public void test012() throws Throwable {
UserModel userModel0 = new UserModel();
int int0 = userModel0.getSonAccountTotal();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test013() throws Throwable {
UserModel userModel0 = new UserModel();
userModel0.setSonAccountTotal(33420);
int int0 = userModel0.getSonAccountTotal();
assertEquals(33420, int0);
}
@Test(timeout = 4000)
public void test014() throws Throwable {
UserModel userModel0 = new UserModel(0, "", "^S/yB~Lj*0`:VzR", "", "cq@|4@$-", "", "cq@|4@$-", "", "", "", "", "", "^S/yB~Lj*0`:VzR", 0, true, 0, true, true, 0, true, "", 0, (-24715), "", "");
int int0 = userModel0.getSonAccountNum();
assertTrue(userModel0.getOpenService());
assertEquals(0, userModel0.getLoginCount());
assertEquals((-24715), userModel0.getMainId());
assertEquals(0, int0);
assertEquals(0, userModel0.getRelaId());
assertTrue(userModel0.getIsLocked());
assertEquals(0, userModel0.getSonAccountTotal());
assertTrue(userModel0.getIsDisable());
assertTrue(userModel0.getIsActivated());
assertEquals(0, userModel0.getUserId());
}
@Test(timeout = 4000)
public void test015() throws Throwable {
UserModel userModel0 = new UserModel(41292, "W:%Lk'5y$", "W:%Lk'5y$", "", "", ")-sQ_", "W:%Lk'5y$", ":| r[2%gT_A ~OEBNd", "1^#y|'X>ii", ")-sQ_", "", "", "", 41292, false, 41292, false, false, 41292, false, "!8`hE(AX", 41292, 0, "", "");
int int0 = userModel0.getSonAccountNum();
assertFalse(userModel0.getIsActivated());
assertFalse(userModel0.getIsLocked());
assertEquals(41292, userModel0.getLoginCount());
assertEquals(41292, userModel0.getUserId());
assertFalse(userModel0.getIsDisable());
assertEquals(0, userModel0.getMainId());
assertEquals(41292, int0);
assertFalse(userModel0.getOpenService());
assertEquals(41292, userModel0.getSonAccountTotal());
assertEquals(41292, userModel0.getRelaId());
}
@Test(timeout = 4000)
public void test016() throws Throwable {
UserModel userModel0 = new UserModel();
int int0 = userModel0.getRelaId();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test017() throws Throwable {
UserModel userModel0 = new UserModel((-1), "KOxc61y{8i002V5LFt", "8", "", "'v#mO$", "G'`QqLUa", "", "'v#mO$", "G'`QqLUa", "", "", "", "t[bao.LOju}Y.I`!:", (-42919), false, 0, false, true, 17638, true, "", 8851, 0, "", "");
int int0 = userModel0.getRelaId();
assertEquals(8851, int0);
assertFalse(userModel0.getOpenService());
assertFalse(userModel0.getIsActivated());
assertEquals(0, userModel0.getMainId());
assertEquals(0, userModel0.getSonAccountNum());
assertTrue(userModel0.getIsDisable());
assertTrue(userModel0.getIsLocked());
assertEquals((-42919), userModel0.getSonAccountTotal());
assertEquals(17638, userModel0.getLoginCount());
assertEquals((-1), userModel0.getUserId());
}
@Test(timeout = 4000)
public void test018() throws Throwable {
UserModel userModel0 = new UserModel();
String string0 = userModel0.getRegistertime();
assertNull(string0);
}
@Test(timeout = 4000)
public void test019() throws Throwable {
UserModel userModel0 = new UserModel(0, "7GU)8hc7,~", "7cZW[", "CZ, k<A|$4?%s`7f", "CZ, k<A|$4?%s`7f", "im", "", "", "7GU)8hc7,~", "e0.{{b{UF", "", "i/S:Bi", "", 0, false, 1, false, false, 0, false, "7cZW[", 0, 0, "fep?-sem#", "");
userModel0.getRegistertime();
assertFalse(userModel0.getIsLocked());
assertEquals(0, userModel0.getLoginCount());
assertFalse(userModel0.getOpenService());
assertFalse(userModel0.getIsDisable());
assertFalse(userModel0.getIsActivated());
assertEquals(0, userModel0.getRelaId());
assertEquals(0, userModel0.getMainId());
assertEquals(0, userModel0.getSonAccountTotal());
assertEquals(1, userModel0.getSonAccountNum());
assertEquals(0, userModel0.getUserId());
}
@Test(timeout = 4000)
public void test020() throws Throwable {
UserModel userModel0 = new UserModel((-38087), (String) null, "Jw_", (String) null, (String) null, "Jw_", "Jw_", "Jw_", (String) null, "Lr}bf Bd", "Jw_", "Lr}bf Bd", " v0_55Ofej2=q9B?", (-38087), false, 0, false, false, (-1), false, "Lr}bf Bd", (-42997), (-73697), "ZxAMcw`!QiX%q'9", "");
userModel0.getQq();
assertFalse(userModel0.getOpenService());
assertEquals((-73697), userModel0.getMainId());
assertEquals((-42997), userModel0.getRelaId());
assertEquals((-1), userModel0.getLoginCount());
assertEquals((-38087), userModel0.getUserId());
assertFalse(userModel0.getIsActivated());
assertFalse(userModel0.getIsDisable());
assertEquals((-38087), userModel0.getSonAccountTotal());
assertFalse(userModel0.getIsLocked());
assertEquals(0, userModel0.getSonAccountNum());
}
@Test(timeout = 4000)
public void test021() throws Throwable {
UserModel userModel0 = new UserModel((-19562), "R", "R", "!HyhK}h", (String) null, "", (String) null, "#).f3J#", (String) null, "", "", "UserModel", "UserModel", (-19562), false, 0, false, false, (-19562), false, "*EZ", (-19562), (-16544), (String) null, (String) null);
userModel0.getQq();
assertEquals((-16544), userModel0.getMainId());
assertEquals((-19562), userModel0.getUserId());
assertEquals((-19562), userModel0.getRelaId());
assertFalse(userModel0.getIsActivated());
assertFalse(userModel0.getIsLocked());
assertFalse(userModel0.getIsDisable());
assertEquals(0, userModel0.getSonAccountNum());
assertEquals((-19562), userModel0.getSonAccountTotal());
assertFalse(userModel0.getOpenService());
assertEquals((-19562), userModel0.getLoginCount());
}
@Test(timeout = 4000)
public void test022() throws Throwable {
UserModel userModel0 = new UserModel();
userModel0.setProvince("UserModel");
String string0 = userModel0.getProvince();
assertEquals("UserModel", string0);
}
@Test(timeout = 4000)
public void test023() throws Throwable {
UserModel userModel0 = new UserModel(0, "", "^S/yB~Lj*0`:VzR", "", "cq@|4@$-", "", "cq@|4@$-", "", "", "", "", "", "^S/yB~Lj*0`:VzR", 0, true, 0, true, true, 0, true, "", 0, (-24715), "", "");
userModel0.setProvince("");
userModel0.getProvince();
assertEquals(0, userModel0.getSonAccountNum());
assertTrue(userModel0.getIsActivated());
assertTrue(userModel0.getIsDisable());
assertTrue(userModel0.getIsLocked());
assertEquals(0, userModel0.getUserId());
assertEquals(0, userModel0.getSonAccountTotal());
assertEquals(0, userModel0.getRelaId());
assertEquals((-24715), userModel0.getMainId());
assertTrue(userModel0.getOpenService());
assertEquals(0, userModel0.getLoginCount());
}
@Test(timeout = 4000)
public void test024() throws Throwable {
UserModel userModel0 = new UserModel(0, "", "^S/yB~Lj*0`:VzR", "", "cq@|4@$-", "", "cq@|4@$-", "", "", "", "", "", "^S/yB~Lj*0`:VzR", 0, true, 0, true, true, 0, true, "", 0, (-24715), "", "");
userModel0.setPostalNum("");
userModel0.getPostalNum();
assertTrue(userModel0.getIsDisable());
assertEquals(0, userModel0.getSonAccountNum());
assertTrue(userModel0.getIsActivated());
assertEquals(0, userModel0.getUserId());
assertTrue(userModel0.getOpenService());
assertEquals(0, userModel0.getLoginCount());
assertTrue(userModel0.getIsLocked());
assertEquals((-24715), userModel0.getMainId());
assertEquals(0, userModel0.getSonAccountTotal());
assertEquals(0, userModel0.getRelaId());
}
@Test(timeout = 4000)
public void test025() throws Throwable {
UserModel userModel0 = new UserModel(63625, "", "", "UserModel", "UserModel", "", "", "", "UserModel", "!", "", "", "", 0, true, 63625, true, false, 63625, false, "", 63625, 63625, "", "");
userModel0.getPhone();
assertEquals(63625, userModel0.getLoginCount());
assertEquals(0, userModel0.getSonAccountTotal());
assertEquals(63625, userModel0.getUserId());
assertFalse(userModel0.getIsDisable());
assertEquals(63625, userModel0.getSonAccountNum());
assertEquals(63625, userModel0.getMainId());
assertFalse(userModel0.getIsLocked());
assertEquals(63625, userModel0.getRelaId());
assertTrue(userModel0.getIsActivated());
assertTrue(userModel0.getOpenService());
}
@Test(timeout = 4000)
public void test026() throws Throwable {
UserModel userModel0 = new UserModel();
int int0 = userModel0.getMainId();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test027() throws Throwable {
UserModel userModel0 = new UserModel((-74502), "", "", "", (String) null, (String) null, "", (String) null, "KM2We'x3BMM", (String) null, "U{p.yV5a", "KM2We'x3BMM", "UserModel", (-74502), true, (-74502), true, true, 112995, true, "U{p.yV5a", (-1671), 112995, "jbK>rmE30%%i&2H2mYo", "D,uf6~[wq<Bk hhO?*:");
int int0 = userModel0.getMainId();
assertEquals((-1671), userModel0.getRelaId());
assertEquals((-74502), userModel0.getUserId());
assertTrue(userModel0.getIsLocked());
assertEquals(112995, userModel0.getLoginCount());
assertTrue(userModel0.getOpenService());
assertTrue(userModel0.getIsActivated());
assertEquals((-74502), userModel0.getSonAccountTotal());
assertEquals(112995, int0);
assertEquals((-74502), userModel0.getSonAccountNum());
assertTrue(userModel0.getIsDisable());
}
@Test(timeout = 4000)
public void test028() throws Throwable {
String string0 = ",~^S}o.~\\ua7t*EPC";
UserModel userModel0 = new UserModel((-1), "UserModel", "UserModel", "UserModel", "UserModel", "", (String) null, "", "UserModel", "", "", string0, "UserModel", 0, true, (-3684), false, true, (-1), false, "", (-1), 10785, "UserModel", (String) null);
userModel0.getLoginPassword();
assertTrue(userModel0.getIsLocked());
assertEquals(0, userModel0.getSonAccountTotal());
assertEquals(10785, userModel0.getMainId());
assertEquals((-1), userModel0.getLoginCount());
assertTrue(userModel0.getIsActivated());
assertEquals((-3684), userModel0.getSonAccountNum());
assertEquals((-1), userModel0.getRelaId());
assertEquals((-1), userModel0.getUserId());
assertFalse(userModel0.getOpenService());
assertFalse(userModel0.getIsDisable());
}
@Test(timeout = 4000)
public void test029() throws Throwable {
UserModel userModel0 = new UserModel((-27947), "", "", "", "", "(rA:;", (String) null, "", (String) null, "", "", "(rA:;", "(rA:;", (-1), true, 1, false, true, 1, true, "", 129206, (-1), "", (String) null);
userModel0.getLoginPassword();
assertEquals(129206, userModel0.getRelaId());
assertTrue(userModel0.getIsDisable());
assertEquals(1, userModel0.getLoginCount());
assertEquals((-1), userModel0.getSonAccountTotal());
assertTrue(userModel0.getIsLocked());
assertEquals((-1), userModel0.getMainId());
assertFalse(userModel0.getOpenService());
assertEquals((-27947), userModel0.getUserId());
assertEquals(1, userModel0.getSonAccountNum());
assertTrue(userModel0.getIsActivated());
}
@Test(timeout = 4000)
public void test030() throws Throwable {
UserModel userModel0 = new UserModel(0, "", "^S/yB~Lj*0`:VzR", "", "cq@|4@$-", "", "cq@|4@$-", "", "", "", "", "", "^S/yB~Lj*0`:VzR", 0, true, 0, true, true, 0, true, "", 0, (-24715), "", "");
userModel0.getLoginName();
assertEquals(0, userModel0.getRelaId());
assertEquals(0, userModel0.getLoginCount());
assertTrue(userModel0.getIsDisable());
assertEquals(0, userModel0.getUserId());
assertTrue(userModel0.getOpenService());
assertTrue(userModel0.getIsActivated());
assertEquals(0, userModel0.getSonAccountTotal());
assertTrue(userModel0.getIsLocked());
assertEquals(0, userModel0.getSonAccountNum());
assertEquals((-24715), userModel0.getMainId());
}
@Test(timeout = 4000)
public void test031() throws Throwable {
UserModel userModel0 = new UserModel();
userModel0.setLoginCount(38652);
int int0 = userModel0.getLoginCount();
assertEquals(38652, int0);
}
@Test(timeout = 4000)
public void test032() throws Throwable {
UserModel userModel0 = new UserModel();
userModel0.setLoginCount((-21252));
int int0 = userModel0.getLoginCount();
assertEquals((-21252), int0);
}
@Test(timeout = 4000)
public void test033() throws Throwable {
UserModel userModel0 = new UserModel();
String string0 = userModel0.getLastName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test034() throws Throwable {
UserModel userModel0 = new UserModel(0, "_Vf/i$kWVvjT", "_Vf/i$kWVvjT", ";?Ci", "", ";?Ci", "_Vf/i$kWVvjT", "", "mWJ'", "8+;]7m8~dxoIXSq", ";?Ci", "_Vf/i$kWVvjT", "", (-21311), true, (-1), false, false, 0, false, "_Vf/i$kWVvjT", 0, (-1), "8+;]7m8~dxoIXSq", "");
userModel0.getLastName();
assertEquals(0, userModel0.getLoginCount());
assertFalse(userModel0.getIsLocked());
assertEquals((-21311), userModel0.getSonAccountTotal());
assertTrue(userModel0.getIsActivated());
assertEquals(0, userModel0.getUserId());
assertFalse(userModel0.getIsDisable());
assertEquals((-1), userModel0.getSonAccountNum());
assertEquals((-1), userModel0.getMainId());
assertEquals(0, userModel0.getRelaId());
assertFalse(userModel0.getOpenService());
}
@Test(timeout = 4000)
public void test035() throws Throwable {
UserModel userModel0 = new UserModel(1, (String) null, "", (String) null, "", "UserModel", "", "UserModel", "e&D", "#n+L;4", "3l-%0W}#=}^%", "e&D", "", (-3693), true, 1, true, true, 1, false, "", (-5262), 14485, "<Zi>?[t_g/", "kzS");
boolean boolean0 = userModel0.getIsLocked();
assertTrue(userModel0.getOpenService());
assertFalse(userModel0.getIsDisable());
assertEquals((-5262), userModel0.getRelaId());
assertTrue(userModel0.getIsActivated());
assertEquals(1, userModel0.getUserId());
assertEquals(1, userModel0.getSonAccountNum());
assertEquals((-3693), userModel0.getSonAccountTotal());
assertTrue(boolean0);
assertEquals(14485, userModel0.getMainId());
assertEquals(1, userModel0.getLoginCount());
}
@Test(timeout = 4000)
public void test036() throws Throwable {
UserModel userModel0 = new UserModel();
userModel0.setIsDisable(true);
boolean boolean0 = userModel0.getIsDisable();
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test037() throws Throwable {
UserModel userModel0 = new UserModel(1, (String) null, (String) null, (String) null, "C", "", "", "", (String) null, "=", "<z ", "C", "<z ", 0, true, 1, false, true, 1, true, (String) null, 0, 0, "03YRC0~zS99", (String) null);
boolean boolean0 = userModel0.getIsActivated();
assertEquals(1, userModel0.getLoginCount());
assertEquals(0, userModel0.getRelaId());
assertTrue(userModel0.getIsLocked());
assertTrue(userModel0.getIsDisable());
assertEquals(0, userModel0.getMainId());
assertEquals(0, userModel0.getSonAccountTotal());
assertEquals(1, userModel0.getUserId());
assertFalse(userModel0.getOpenService());
assertTrue(boolean0);
assertEquals(1, userModel0.getSonAccountNum());
}
@Test(timeout = 4000)
public void test038() throws Throwable {
UserModel userModel0 = new UserModel();
String string0 = userModel0.getFirstName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test039() throws Throwable {
UserModel userModel0 = new UserModel(0, "", "", "", "", "K?#I(V", "", "", "", "~iT:gIVU(+{", "0E<-KFs", (String) null, "", 0, false, 0, false, true, 0, true, "", 0, 0, "", "] `a%Wg*,Oodq");
userModel0.getFirstName();
assertEquals(0, userModel0.getLoginCount());
assertEquals(0, userModel0.getRelaId());
assertFalse(userModel0.getIsActivated());
assertFalse(userModel0.getOpenService());
assertEquals(0, userModel0.getMainId());
assertEquals(0, userModel0.getSonAccountNum());
assertEquals(0, userModel0.getSonAccountTotal());
assertTrue(userModel0.getIsLocked());
assertTrue(userModel0.getIsDisable());
assertEquals(0, userModel0.getUserId());
}
@Test(timeout = 4000)
public void test040() throws Throwable {
UserModel userModel0 = new UserModel();
String string0 = userModel0.getEndTime();
assertNull(string0);
}
@Test(timeout = 4000)
public void test041() throws Throwable {
UserModel userModel0 = new UserModel(0, "", "^S/yB~Lj*0`:VzR", "", "cq@|4@$-", "", "cq@|4@$-", "", "", "", "", "", "^S/yB~Lj*0`:VzR", 0, true, 0, true, true, 0, true, "", 0, (-24715), "", "");
userModel0.getEndTime();
assertEquals(0, userModel0.getUserId());
assertTrue(userModel0.getIsDisable());
assertEquals(0, userModel0.getRelaId());
assertEquals(0, userModel0.getSonAccountTotal());
assertTrue(userModel0.getIsLocked());
assertTrue(userModel0.getIsActivated());
assertEquals(0, userModel0.getLoginCount());
assertTrue(userModel0.getOpenService());
assertEquals((-24715), userModel0.getMainId());
assertEquals(0, userModel0.getSonAccountNum());
}
@Test(timeout = 4000)
public void test042() throws Throwable {
UserModel userModel0 = new UserModel(0, "v<I~\"jv1F~dSeC", "v<I~\"jv1F~dSeC", "", "", "", "", "v<I~\"jv1F~dSeC", "{7`Uf", "v<I~\"jv1F~dSeC", "", "", "{7`Uf", 0, true, 0, true, true, 0, true, "", 0, (-9192), "&6k.(5IMN?VE", "UserModel");
userModel0.getEndLoginTime();
assertEquals(0, userModel0.getLoginCount());
assertEquals(0, userModel0.getRelaId());
assertEquals(0, userModel0.getSonAccountTotal());
assertEquals(0, userModel0.getSonAccountNum());
assertEquals((-9192), userModel0.getMainId());
assertTrue(userModel0.getIsDisable());
assertTrue(userModel0.getIsLocked());
assertEquals(0, userModel0.getUserId());
assertTrue(userModel0.getOpenService());
assertTrue(userModel0.getIsActivated());
}
@Test(timeout = 4000)
public void test043() throws Throwable {
UserModel userModel0 = new UserModel();
userModel0.setEndLoginTime("");
String string0 = userModel0.getEndLoginTime();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test044() throws Throwable {
UserModel userModel0 = new UserModel(0, (String) null, "<a1IV/9EAu{,yCnzuk`", "<a1IV/9EAu{,yCnzuk`", "~", "<a1IV/9EAu{,yCnzuk`", "~", "`8a{OsSXLY}F3[U7^CS", (String) null, (String) null, "};1", "`8a{OsSXLY}F3[U7^CS", "%PL(c9t", 0, false, 0, false, false, (-51851), true, "5yY:UidE{", 0, (-51851), "};1", "");
userModel0.getEmail();
assertFalse(userModel0.getIsActivated());
assertEquals((-51851), userModel0.getLoginCount());
assertFalse(userModel0.getOpenService());
assertTrue(userModel0.getIsDisable());
assertEquals(0, userModel0.getUserId());
assertEquals((-51851), userModel0.getMainId());
assertEquals(0, userModel0.getSonAccountTotal());
assertEquals(0, userModel0.getRelaId());
assertFalse(userModel0.getIsLocked());
assertEquals(0, userModel0.getSonAccountNum());
}
@Test(timeout = 4000)
public void test045() throws Throwable {
UserModel userModel0 = new UserModel((-1), "UserModel", "UserModel", "", "", "Dsl.gz", "Dsl.gz", "", "QWX#R:'/j1", "7k<]0MTZEbme", "UserModel", "QWX#R:'/j1", "UserModel", (-1), false, (-1), false, true, 0, false, "", (-11792), (-1), "UserModel", "CAu TBt4MMfE=]0v-M");
userModel0.getEmail();
assertEquals(0, userModel0.getLoginCount());
assertFalse(userModel0.getIsActivated());
assertEquals((-1), userModel0.getSonAccountNum());
assertEquals((-1), userModel0.getMainId());
assertFalse(userModel0.getOpenService());
assertTrue(userModel0.getIsLocked());
assertEquals((-1), userModel0.getSonAccountTotal());
assertFalse(userModel0.getIsDisable());
assertEquals((-11792), userModel0.getRelaId());
assertEquals((-1), userModel0.getUserId());
}
@Test(timeout = 4000)
public void test046() throws Throwable {
UserModel userModel0 = new UserModel(0, "`Jn:", "Z>glp;", (String) null, "kl9<|qb", "`Jn:", "`Jn:", "kl9<|qb", "(~tW{_k,c%M<cx7\"E", "kl9<|qb", "`taanj{jfX-br|f'$|", "Z>glp;", "kl9<|qb", 20246, false, (-68975), false, true, 0, false, "", (-18036), 44832, "R8+O2b ?=Km{%sO3GU]", "");
userModel0.setCountry("kl9<|qb");
userModel0.getCountry();
assertFalse(userModel0.getIsDisable());
assertFalse(userModel0.getIsActivated());
assertEquals(0, userModel0.getLoginCount());
assertEquals(20246, userModel0.getSonAccountTotal());
assertTrue(userModel0.getIsLocked());
assertEquals(44832, userModel0.getMainId());
assertEquals(0, userModel0.getUserId());
assertFalse(userModel0.getOpenService());
assertEquals((-68975), userModel0.getSonAccountNum());
assertEquals((-18036), userModel0.getRelaId());
}
@Test(timeout = 4000)
public void test047() throws Throwable {
UserModel userModel0 = new UserModel();
userModel0.setCountry("");
String string0 = userModel0.getCountry();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test048() throws Throwable {
UserModel userModel0 = new UserModel();
userModel0.setCity("Ilk9g}v`Kgx<<");
String string0 = userModel0.getCity();
assertEquals("Ilk9g}v`Kgx<<", string0);
}
@Test(timeout = 4000)
public void test049() throws Throwable {
UserModel userModel0 = new UserModel(0, "67k,", "67k,", "", "jdMV^hQ# *<%d", "67k,", "jdMV^hQ# *<%d", "[2=Yx61l", "", "jdMV^hQ# *<%d", "jdMV^hQ# *<%d", "p931D)& ", "", 0, false, 23496, false, false, 23496, false, "p931D)& ", 0, 0, "2BR", "67k,");
userModel0.getBeginTime();
assertFalse(userModel0.getIsDisable());
assertEquals(23496, userModel0.getSonAccountNum());
assertEquals(0, userModel0.getMainId());
assertFalse(userModel0.getIsActivated());
assertEquals(0, userModel0.getSonAccountTotal());
assertFalse(userModel0.getOpenService());
assertEquals(0, userModel0.getUserId());
assertEquals(0, userModel0.getRelaId());
assertEquals(23496, userModel0.getLoginCount());
assertFalse(userModel0.getIsLocked());
}
@Test(timeout = 4000)
public void test050() throws Throwable {
UserModel userModel0 = new UserModel((-1), "", "", "", "", "", "", "", "6]p8,(@", "", "", "Oy-r=J]dT1a", "", (-1), true, 0, false, false, 22593, false, "Oy-r=J]dT1a", 0, 0, "6]p8,(@", "6]p8,(@");
userModel0.getBeginTime();
assertEquals(22593, userModel0.getLoginCount());
assertFalse(userModel0.getIsDisable());
assertEquals((-1), userModel0.getSonAccountTotal());
assertTrue(userModel0.getIsActivated());
assertEquals((-1), userModel0.getUserId());
assertFalse(userModel0.getOpenService());
assertEquals(0, userModel0.getRelaId());
assertEquals(0, userModel0.getMainId());
assertFalse(userModel0.getIsLocked());
assertEquals(0, userModel0.getSonAccountNum());
}
@Test(timeout = 4000)
public void test051() throws Throwable {
UserModel userModel0 = new UserModel();
userModel0.setAutoLogin("Q[FJ_=A}m");
String string0 = userModel0.getAutoLogin();
assertEquals("Q[FJ_=A}m", string0);
}
@Test(timeout = 4000)
public void test052() throws Throwable {
UserModel userModel0 = new UserModel();
userModel0.setAutoLogin("");
String string0 = userModel0.getAutoLogin();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test053() throws Throwable {
UserModel userModel0 = new UserModel(1, "'BcIP,LFN2]mAwoVG,o", "'BcIP,LFN2]mAwoVG,o", "[$-~AgIaA{c", "'BcIP,LFN2]mAwoVG,o", "", "UserModel", "6", "qf%\"DS|", "", "[$-~AgIaA{c", "'BcIP,LFN2]mAwoVG,o", "kradgfpM\"?P5eB$+PE<", (-426), false, (-426), true, false, 1, true, "", 983, 1, "", "P?XN");
userModel0.getAddress();
assertTrue(userModel0.getIsDisable());
assertEquals(1, userModel0.getLoginCount());
assertEquals(1, userModel0.getMainId());
assertFalse(userModel0.getIsLocked());
assertFalse(userModel0.getIsActivated());
assertEquals((-426), userModel0.getSonAccountTotal());
assertEquals(983, userModel0.getRelaId());
assertEquals(1, userModel0.getUserId());
assertEquals((-426), userModel0.getSonAccountNum());
assertTrue(userModel0.getOpenService());
}
@Test(timeout = 4000)
public void test054() throws Throwable {
UserModel userModel0 = new UserModel();
userModel0.setAddress("");
String string0 = userModel0.getAddress();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test055() throws Throwable {
UserModel userModel0 = new UserModel();
boolean boolean0 = userModel0.getIsLocked();
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test056() throws Throwable {
UserModel userModel0 = new UserModel((-19562), "R", "R", "!HyhK}h", (String) null, "", (String) null, "#).f3J#", (String) null, "", "", "UserModel", "UserModel", (-19562), false, 0, false, false, (-19562), false, "*EZ", (-19562), (-16544), (String) null, (String) null);
userModel0.setUserId(0);
assertEquals(0, userModel0.getUserId());
}
@Test(timeout = 4000)
public void test057() throws Throwable {
UserModel userModel0 = new UserModel();
userModel0.setIsLocked(false);
assertFalse(userModel0.getIsLocked());
}
@Test(timeout = 4000)
public void test058() throws Throwable {
UserModel userModel0 = new UserModel();
userModel0.setPostalNum("l~ynjP=[r#}LK^");
String string0 = userModel0.getPostalNum();
assertEquals("l~ynjP=[r#}LK^", string0);
}
@Test(timeout = 4000)
public void test059() throws Throwable {
UserModel userModel0 = new UserModel((-19562), "R", "R", "!HyhK}h", (String) null, "", (String) null, "#).f3J#", (String) null, "", "", "UserModel", "UserModel", (-19562), false, 0, false, false, (-19562), false, "*EZ", (-19562), (-16544), (String) null, (String) null);
userModel0.setEndTime("");
assertEquals(0, userModel0.getSonAccountNum());
assertFalse(userModel0.getOpenService());
assertEquals((-19562), userModel0.getSonAccountTotal());
assertEquals((-19562), userModel0.getLoginCount());
assertEquals((-19562), userModel0.getRelaId());
assertEquals((-16544), userModel0.getMainId());
assertFalse(userModel0.getIsLocked());
assertEquals((-19562), userModel0.getUserId());
assertFalse(userModel0.getIsActivated());
assertFalse(userModel0.getIsDisable());
}
@Test(timeout = 4000)
public void test060() throws Throwable {
UserModel userModel0 = new UserModel();
userModel0.setLoginName("D#LW;GyC1=k");
String string0 = userModel0.getLoginName();
assertEquals("D#LW;GyC1=k", string0);
}
@Test(timeout = 4000)
public void test061() throws Throwable {
UserModel userModel0 = new UserModel();
int int0 = userModel0.getUserId();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test062() throws Throwable {
UserModel userModel0 = new UserModel();
userModel0.setOpenService(true);
boolean boolean0 = userModel0.getOpenService();
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test063() throws Throwable {
UserModel userModel0 = new UserModel();
userModel0.setRegistertime(":DW~.q'q@W9");
assertEquals(0, userModel0.getLoginCount());
}
@Test(timeout = 4000)
public void test064() throws Throwable {
UserModel userModel0 = new UserModel();
String string0 = userModel0.getCountry();
assertNull(string0);
}
@Test(timeout = 4000)
public void test065() throws Throwable {
UserModel userModel0 = new UserModel();
String string0 = userModel0.getUserDesc();
assertNull(string0);
}
@Test(timeout = 4000)
public void test066() throws Throwable {
UserModel userModel0 = new UserModel((-19562), "R", "R", "!HyhK}h", (String) null, "", (String) null, "#).f3J#", (String) null, "", "", "UserModel", "UserModel", (-19562), false, 0, false, false, (-19562), false, "*EZ", (-19562), (-16544), (String) null, (String) null);
userModel0.setBeginTime("E_4n");
assertEquals((-19562), userModel0.getSonAccountTotal());
assertEquals(0, userModel0.getSonAccountNum());
assertEquals((-19562), userModel0.getRelaId());
assertFalse(userModel0.getOpenService());
assertFalse(userModel0.getIsActivated());
assertEquals((-19562), userModel0.getLoginCount());
assertFalse(userModel0.getIsDisable());
assertFalse(userModel0.getIsLocked());
assertEquals((-16544), userModel0.getMainId());
assertEquals((-19562), userModel0.getUserId());
}
@Test(timeout = 4000)
public void test067() throws Throwable {
UserModel userModel0 = new UserModel(1, (String) null, "", (String) null, "", "UserModel", "", "UserModel", "e&D", "#n+L;4", "3l-%0W}#=}^%", "e&D", "", (-3693), true, 1, true, true, 1, false, "", (-5262), 14485, "<Zi>?[t_g/", "kzS");
userModel0.getEndTime();
assertEquals(1, userModel0.getLoginCount());
assertEquals((-5262), userModel0.getRelaId());
assertFalse(userModel0.getIsDisable());
assertEquals(14485, userModel0.getMainId());
assertEquals((-3693), userModel0.getSonAccountTotal());
assertTrue(userModel0.getIsLocked());
assertEquals(1, userModel0.getSonAccountNum());
assertTrue(userModel0.getIsActivated());
assertTrue(userModel0.getOpenService());
assertEquals(1, userModel0.getUserId());
}
@Test(timeout = 4000)
public void test068() throws Throwable {
UserModel userModel0 = new UserModel((-19562), "R", "R", "!HyhK}h", (String) null, "", (String) null, "#).f3J#", (String) null, "", "", "UserModel", "UserModel", (-19562), false, 0, false, false, (-19562), false, "*EZ", (-19562), (-16544), (String) null, (String) null);
userModel0.setPhone("");
userModel0.getPhone();
assertEquals((-19562), userModel0.getSonAccountTotal());
assertFalse(userModel0.getOpenService());
assertEquals(0, userModel0.getSonAccountNum());
assertEquals((-19562), userModel0.getRelaId());
assertFalse(userModel0.getIsActivated());
assertEquals((-19562), userModel0.getLoginCount());
assertFalse(userModel0.getIsLocked());
assertFalse(userModel0.getIsDisable());
assertEquals((-16544), userModel0.getMainId());
assertEquals((-19562), userModel0.getUserId());
}
@Test(timeout = 4000)
public void test069() throws Throwable {
UserModel userModel0 = new UserModel((-19562), "R", "R", "!HyhK}h", (String) null, "", (String) null, "#).f3J#", (String) null, "", "", "UserModel", "UserModel", (-19562), false, 0, false, false, (-19562), false, "*EZ", (-19562), (-16544), (String) null, (String) null);
userModel0.getPhone();
assertEquals((-19562), userModel0.getSonAccountTotal());
assertFalse(userModel0.getOpenService());
assertEquals((-19562), userModel0.getRelaId());
assertEquals((-19562), userModel0.getLoginCount());
assertFalse(userModel0.getIsDisable());
assertFalse(userModel0.getIsActivated());
assertEquals((-16544), userModel0.getMainId());
assertEquals((-19562), userModel0.getUserId());
assertEquals(0, userModel0.getSonAccountNum());
assertFalse(userModel0.getIsLocked());
}
@Test(timeout = 4000)
public void test070() throws Throwable {
UserModel userModel0 = new UserModel();
String string0 = userModel0.getEmail();
assertNull(string0);
}
@Test(timeout = 4000)
public void test071() throws Throwable {
UserModel userModel0 = new UserModel();
String string0 = userModel0.getBeginTime();
assertNull(string0);
}
@Test(timeout = 4000)
public void test072() throws Throwable {
UserModel userModel0 = new UserModel();
userModel0.setLastName((String) null);
assertNull(userModel0.getProvince());
}
@Test(timeout = 4000)
public void test073() throws Throwable {
UserModel userModel0 = new UserModel((-19562), "R", "R", "!HyhK}h", (String) null, "", (String) null, "#).f3J#", (String) null, "", "", "UserModel", "UserModel", (-19562), false, 0, false, false, (-19562), false, "*EZ", (-19562), (-16544), (String) null, (String) null);
int int0 = userModel0.getMainId();
assertEquals((-19562), userModel0.getSonAccountTotal());
assertFalse(userModel0.getOpenService());
assertFalse(userModel0.getIsActivated());
assertEquals((-16544), int0);
assertEquals((-19562), userModel0.getLoginCount());
assertEquals((-19562), userModel0.getUserId());
assertEquals((-19562), userModel0.getRelaId());
assertFalse(userModel0.getIsDisable());
assertEquals(0, userModel0.getSonAccountNum());
assertFalse(userModel0.getIsLocked());
}
@Test(timeout = 4000)
public void test074() throws Throwable {
UserModel userModel0 = new UserModel((-19562), "R", "R", "!HyhK}h", (String) null, "", (String) null, "#).f3J#", (String) null, "", "", "UserModel", "UserModel", (-19562), false, 0, false, false, (-19562), false, "*EZ", (-19562), (-16544), (String) null, (String) null);
userModel0.getProvince();
assertEquals((-19562), userModel0.getLoginCount());
assertFalse(userModel0.getIsDisable());
assertFalse(userModel0.getIsActivated());
assertEquals((-19562), userModel0.getRelaId());
assertEquals(0, userModel0.getSonAccountNum());
assertFalse(userModel0.getIsLocked());
assertFalse(userModel0.getOpenService());
assertEquals((-19562), userModel0.getSonAccountTotal());
assertEquals((-19562), userModel0.getUserId());
assertEquals((-16544), userModel0.getMainId());
}
@Test(timeout = 4000)
public void test075() throws Throwable {
UserModel userModel0 = new UserModel((-19562), "R", "R", "!HyhK}h", (String) null, "", (String) null, "#).f3J#", (String) null, "", "", "UserModel", "UserModel", (-19562), false, 0, false, false, (-19562), false, "*EZ", (-19562), (-16544), (String) null, (String) null);
userModel0.setUserName("");
assertEquals((-19562), userModel0.getLoginCount());
assertFalse(userModel0.getIsDisable());
assertFalse(userModel0.getIsLocked());
assertEquals((-19562), userModel0.getRelaId());
assertFalse(userModel0.getOpenService());
assertFalse(userModel0.getIsActivated());
assertEquals((-19562), userModel0.getSonAccountTotal());
assertEquals(0, userModel0.getSonAccountNum());
assertEquals((-16544), userModel0.getMainId());
assertEquals((-19562), userModel0.getUserId());
}
@Test(timeout = 4000)
public void test076() throws Throwable {
UserModel userModel0 = new UserModel(1, "", "", "", "", "UserModel", "", "", "", "", "C", "}k7q!.p=>Q]yAO/_F*", "UserModel", 1, true, 1, false, true, 1, false, "", 1, 1, "C", "");
userModel0.setFirstName("");
assertEquals(1, userModel0.getLoginCount());
assertEquals(1, userModel0.getUserId());
assertEquals(1, userModel0.getMainId());
assertEquals(1, userModel0.getSonAccountNum());
assertTrue(userModel0.getIsLocked());
assertTrue(userModel0.getIsActivated());
assertFalse(userModel0.getIsDisable());
assertEquals(1, userModel0.getRelaId());
assertEquals(1, userModel0.getSonAccountTotal());
assertFalse(userModel0.getOpenService());
}
@Test(timeout = 4000)
public void test077() throws Throwable {
UserModel userModel0 = new UserModel((-19562), "R", "R", "!HyhK}h", (String) null, "", (String) null, "#).f3J#", (String) null, "", "", "UserModel", "UserModel", (-19562), false, 0, false, false, (-19562), false, "*EZ", (-19562), (-16544), (String) null, (String) null);
userModel0.setCity("");
userModel0.getCity();
assertEquals((-19562), userModel0.getUserId());
assertEquals((-19562), userModel0.getRelaId());
assertFalse(userModel0.getIsLocked());
assertFalse(userModel0.getIsActivated());
assertFalse(userModel0.getIsDisable());
assertFalse(userModel0.getOpenService());
assertEquals(0, userModel0.getSonAccountNum());
assertEquals((-19562), userModel0.getSonAccountTotal());
assertEquals((-19562), userModel0.getLoginCount());
assertEquals((-16544), userModel0.getMainId());
}
@Test(timeout = 4000)
public void test078() throws Throwable {
UserModel userModel0 = new UserModel((-19562), "R", "R", "!HyhK}h", (String) null, "", (String) null, "#).f3J#", (String) null, "", "", "UserModel", "UserModel", (-19562), false, 0, false, false, (-19562), false, "*EZ", (-19562), (-16544), (String) null, (String) null);
userModel0.setIsActivated(false);
assertEquals((-19562), userModel0.getUserId());
assertEquals((-19562), userModel0.getSonAccountTotal());
assertFalse(userModel0.getIsActivated());
assertEquals((-19562), userModel0.getRelaId());
assertFalse(userModel0.getIsLocked());
assertEquals(0, userModel0.getSonAccountNum());
assertFalse(userModel0.getOpenService());
assertFalse(userModel0.getIsDisable());
assertEquals((-19562), userModel0.getLoginCount());
assertEquals((-16544), userModel0.getMainId());
}
@Test(timeout = 4000)
public void test079() throws Throwable {
UserModel userModel0 = new UserModel();
userModel0.setEmail("D#LW;GyC1=k");
assertEquals(0, userModel0.getSonAccountTotal());
}
@Test(timeout = 4000)
public void test080() throws Throwable {
UserModel userModel0 = new UserModel((-19562), "R", "R", "!HyhK}h", (String) null, "", (String) null, "#).f3J#", (String) null, "", "", "UserModel", "UserModel", (-19562), false, 0, false, false, (-19562), false, "*EZ", (-19562), (-16544), (String) null, (String) null);
boolean boolean0 = userModel0.getOpenService();
assertEquals(0, userModel0.getSonAccountNum());
assertEquals((-19562), userModel0.getLoginCount());
assertEquals((-19562), userModel0.getSonAccountTotal());
assertFalse(userModel0.getIsActivated());
assertFalse(boolean0);
assertEquals((-16544), userModel0.getMainId());
assertEquals((-19562), userModel0.getRelaId());
assertFalse(userModel0.getIsLocked());
assertFalse(userModel0.getIsDisable());
assertEquals((-19562), userModel0.getUserId());
}
@Test(timeout = 4000)
public void test081() throws Throwable {
UserModel userModel0 = new UserModel();
String string0 = userModel0.getQq();
assertNull(string0);
}
@Test(timeout = 4000)
public void test082() throws Throwable {
UserModel userModel0 = new UserModel();
int int0 = userModel0.getLoginCount();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test083() throws Throwable {
UserModel userModel0 = new UserModel();
userModel0.setMainId(0);
assertEquals(0, userModel0.getMainId());
}
@Test(timeout = 4000)
public void test084() throws Throwable {
UserModel userModel0 = new UserModel();
String string0 = userModel0.getUserName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test085() throws Throwable {
UserModel userModel0 = new UserModel();
String string0 = userModel0.getLoginPassword();
assertNull(string0);
}
@Test(timeout = 4000)
public void test086() throws Throwable {
UserModel userModel0 = new UserModel(1, "", "", "", "", "UserModel", "", "", "", "", "C", "}k7q!.p=>Q]yAO/_F*", "UserModel", 1, true, 1, false, true, 1, false, "", 1, 1, "C", "");
userModel0.getFirstName();
assertEquals(1, userModel0.getSonAccountNum());
assertTrue(userModel0.getIsActivated());
assertEquals(1, userModel0.getSonAccountTotal());
assertTrue(userModel0.getIsLocked());
assertEquals(1, userModel0.getUserId());
assertEquals(1, userModel0.getLoginCount());
assertEquals(1, userModel0.getRelaId());
assertFalse(userModel0.getIsDisable());
assertFalse(userModel0.getOpenService());
assertEquals(1, userModel0.getMainId());
}
@Test(timeout = 4000)
public void test087() throws Throwable {
UserModel userModel0 = new UserModel((-19562), "R", "R", "!HyhK}h", (String) null, "", (String) null, "#).f3J#", (String) null, "", "", "UserModel", "UserModel", (-19562), false, 0, false, false, (-19562), false, "*EZ", (-19562), (-16544), (String) null, (String) null);
int int0 = userModel0.getSonAccountTotal();
assertEquals((-19562), userModel0.getRelaId());
assertEquals((-19562), userModel0.getUserId());
assertFalse(userModel0.getIsLocked());
assertEquals((-19562), userModel0.getLoginCount());
assertEquals((-19562), int0);
assertEquals((-16544), userModel0.getMainId());
assertEquals(0, userModel0.getSonAccountNum());
assertFalse(userModel0.getOpenService());
assertFalse(userModel0.getIsActivated());
assertFalse(userModel0.getIsDisable());
}
@Test(timeout = 4000)
public void test088() throws Throwable {
UserModel userModel0 = new UserModel();
boolean boolean0 = userModel0.getIsActivated();
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test089() throws Throwable {
UserModel userModel0 = new UserModel();
String string0 = userModel0.getUnitName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test090() throws Throwable {
UserModel userModel0 = new UserModel();
userModel0.setLoginPassword("UserModel");
assertEquals(0, userModel0.getRelaId());
}
@Test(timeout = 4000)
public void test091() throws Throwable {
UserModel userModel0 = new UserModel();
String string0 = userModel0.getAddress();
assertNull(string0);
}
@Test(timeout = 4000)
public void test092() throws Throwable {
UserModel userModel0 = new UserModel();
String string0 = userModel0.getCity();
assertNull(string0);
}
@Test(timeout = 4000)
public void test093() throws Throwable {
UserModel userModel0 = new UserModel(1, (String) null, "", (String) null, "", "UserModel", "", "UserModel", "e&D", "#n+L;4", "3l-%0W}#=}^%", "e&D", "", (-3693), true, 1, true, true, 1, false, "", (-5262), 14485, "<Zi>?[t_g/", "kzS");
userModel0.getLastName();
assertEquals((-5262), userModel0.getRelaId());
assertEquals(14485, userModel0.getMainId());
assertEquals(1, userModel0.getLoginCount());
assertEquals(1, userModel0.getUserId());
assertTrue(userModel0.getIsActivated());
assertTrue(userModel0.getOpenService());
assertEquals((-3693), userModel0.getSonAccountTotal());
assertTrue(userModel0.getIsLocked());
assertEquals(1, userModel0.getSonAccountNum());
assertFalse(userModel0.getIsDisable());
}
@Test(timeout = 4000)
public void test094() throws Throwable {
UserModel userModel0 = new UserModel();
String string0 = userModel0.getPostalNum();
assertNull(string0);
}
@Test(timeout = 4000)
public void test095() throws Throwable {
UserModel userModel0 = new UserModel(1, (String) null, "", (String) null, "", "UserModel", "", "UserModel", "e&D", "#n+L;4", "3l-%0W}#=}^%", "e&D", "", (-3693), true, 1, true, true, 1, false, "", (-5262), 14485, "<Zi>?[t_g/", "kzS");
userModel0.setRelaId(1);
assertEquals(1, userModel0.getRelaId());
}
@Test(timeout = 4000)
public void test096() throws Throwable {
UserModel userModel0 = new UserModel();
userModel0.setSonAccountNum((-20564));
assertEquals((-20564), userModel0.getSonAccountNum());
}
@Test(timeout = 4000)
public void test097() throws Throwable {
UserModel userModel0 = new UserModel(1, (String) null, "", (String) null, "", "UserModel", "", "UserModel", "e&D", "#n+L;4", "3l-%0W}#=}^%", "e&D", "", (-3693), true, 1, true, true, 1, false, "", (-5262), 14485, "<Zi>?[t_g/", "kzS");
userModel0.setQq("");
assertEquals(1, userModel0.getUserId());
assertEquals(1, userModel0.getSonAccountNum());
assertTrue(userModel0.getIsActivated());
assertTrue(userModel0.getIsLocked());
assertTrue(userModel0.getOpenService());
assertEquals(1, userModel0.getLoginCount());
assertEquals(14485, userModel0.getMainId());
assertEquals((-5262), userModel0.getRelaId());
assertEquals((-3693), userModel0.getSonAccountTotal());
assertFalse(userModel0.getIsDisable());
}
@Test(timeout = 4000)
public void test098() throws Throwable {
UserModel userModel0 = new UserModel();
String string0 = userModel0.getLoginName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test099() throws Throwable {
UserModel userModel0 = new UserModel();
String string0 = userModel0.getSql();
assertNull(string0);
}
@Test(timeout = 4000)
public void test100() throws Throwable {
UserModel userModel0 = new UserModel();
String string0 = userModel0.getAutoLogin();
assertNull(string0);
}
@Test(timeout = 4000)
public void test101() throws Throwable {
UserModel userModel0 = new UserModel();
String string0 = userModel0.getTel();
assertNull(string0);
}
@Test(timeout = 4000)
public void test102() throws Throwable {
UserModel userModel0 = new UserModel(1, "", "", "", "", "UserModel", "", "", "", "", "C", "}k7q!.p=>Q]yAO/_F*", "UserModel", 1, true, 1, false, true, 1, false, "", 1, 1, "C", "");
userModel0.getRegistertime();
assertEquals(1, userModel0.getSonAccountTotal());
assertTrue(userModel0.getIsLocked());
assertEquals(1, userModel0.getMainId());
assertFalse(userModel0.getIsDisable());
assertEquals(1, userModel0.getSonAccountNum());
assertEquals(1, userModel0.getUserId());
assertTrue(userModel0.getIsActivated());
assertEquals(1, userModel0.getLoginCount());
assertFalse(userModel0.getOpenService());
assertEquals(1, userModel0.getRelaId());
}
@Test(timeout = 4000)
public void test103() throws Throwable {
UserModel userModel0 = new UserModel((-37869), "", "", "", (String) null, (String) null, "", "", (String) null, (String) null, "", (String) null, (String) null, (-37869), false, (-43926), false, false, (-37869), false, "", (-43926), (-37869), (String) null, "");
int int0 = userModel0.getSonAccountNum();
assertEquals((-43926), int0);
assertFalse(userModel0.getIsActivated());
assertFalse(userModel0.getIsLocked());
assertFalse(userModel0.getIsDisable());
assertEquals((-37869), userModel0.getLoginCount());
assertEquals((-37869), userModel0.getSonAccountTotal());
assertEquals((-37869), userModel0.getMainId());
assertEquals((-37869), userModel0.getUserId());
assertFalse(userModel0.getOpenService());
assertEquals((-43926), userModel0.getRelaId());
}
@Test(timeout = 4000)
public void test104() throws Throwable {
UserModel userModel0 = new UserModel();
String string0 = userModel0.getEndLoginTime();
assertNull(string0);
}
@Test(timeout = 4000)
public void test105() throws Throwable {
UserModel userModel0 = new UserModel((-37869), "", "", "", (String) null, (String) null, "", "", (String) null, (String) null, "", (String) null, (String) null, (-37869), false, (-43926), false, false, (-37869), false, "", (-43926), (-37869), (String) null, "");
int int0 = userModel0.getRelaId();
assertEquals((-43926), int0);
assertEquals((-43926), userModel0.getSonAccountNum());
assertFalse(userModel0.getIsDisable());
assertEquals((-37869), userModel0.getSonAccountTotal());
assertEquals((-37869), userModel0.getMainId());
assertEquals((-37869), userModel0.getLoginCount());
assertFalse(userModel0.getIsLocked());
assertEquals((-37869), userModel0.getUserId());
assertFalse(userModel0.getIsActivated());
assertFalse(userModel0.getOpenService());
}
@Test(timeout = 4000)
public void test106() throws Throwable {
UserModel userModel0 = new UserModel(1, (String) null, "", (String) null, "", "UserModel", "", "UserModel", "e&D", "#n+L;4", "3l-%0W}#=}^%", "e&D", "", (-3693), true, 1, true, true, 1, false, "", (-5262), 14485, "<Zi>?[t_g/", "kzS");
boolean boolean0 = userModel0.getIsDisable();
assertEquals(1, userModel0.getLoginCount());
assertEquals(1, userModel0.getUserId());
assertTrue(userModel0.getIsActivated());
assertTrue(userModel0.getOpenService());
assertFalse(boolean0);
assertEquals(1, userModel0.getSonAccountNum());
assertTrue(userModel0.getIsLocked());
assertEquals((-5262), userModel0.getRelaId());
assertEquals(14485, userModel0.getMainId());
assertEquals((-3693), userModel0.getSonAccountTotal());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 01:05: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 UserModel_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "UserModel";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpm8dxlc2d");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(UserModel_ESTest_scaffolding.class.getClassLoader() ,
"UserModel"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UserModel_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"UserModel"
);
}
}
| 1,039 |
test | import java.util.Scanner;
/** Created by Atanas on 04/03/2017. */
public class test {
public static void main(String[] args) {
Scanner scan = new Scanner(System.in);
String startingLetter = scan.nextLine();
String endLetter = scan.nextLine();
String omitLetter = scan.next();
int counter = 0;
for (char i = startingLetter.charAt(0); i <= endLetter.charAt(0); i++) {
for (char j = startingLetter.charAt(0); j <= endLetter.charAt(0); j++) {
for (char k = startingLetter.charAt(0); k <= endLetter.charAt(0); k++) {
if (i == omitLetter.charAt(0) || j == omitLetter.charAt(0) || k == omitLetter.charAt(0)) {
continue;
} else {
counter++;
System.out.print("" + i + j + k + " ");
}
}
}
}
System.out.println(counter);
}
}
| .version 52 0
.class public super test
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 6
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 3 locals 9
L0: new java/util/Scanner
L3: dup
L4: getstatic Field java/lang/System in Ljava/io/InputStream;
L7: invokespecial Method java/util/Scanner <init> (Ljava/io/InputStream;)V
L10: astore_1
L11: aload_1
L12: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String;
L15: astore_2
L16: aload_1
L17: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String;
L20: astore_3
L21: aload_1
L22: invokevirtual Method java/util/Scanner next ()Ljava/lang/String;
L25: astore 4
L27: iconst_0
L28: istore 5
L30: aload_2
L31: iconst_0
L32: invokevirtual Method java/lang/String charAt (I)C
L35: istore 6
.stack full
locals Object [Ljava/lang/String; Object java/util/Scanner Object java/lang/String Object java/lang/String Object java/lang/String Integer Integer
stack
.end stack
L37: iload 6
L39: aload_3
L40: iconst_0
L41: invokevirtual Method java/lang/String charAt (I)C
L44: if_icmpgt L191
L47: aload_2
L48: iconst_0
L49: invokevirtual Method java/lang/String charAt (I)C
L52: istore 7
.stack append Integer
L54: iload 7
L56: aload_3
L57: iconst_0
L58: invokevirtual Method java/lang/String charAt (I)C
L61: if_icmpgt L181
L64: aload_2
L65: iconst_0
L66: invokevirtual Method java/lang/String charAt (I)C
L69: istore 8
.stack append Integer
L71: iload 8
L73: aload_3
L74: iconst_0
L75: invokevirtual Method java/lang/String charAt (I)C
L78: if_icmpgt L171
L81: iload 6
L83: aload 4
L85: iconst_0
L86: invokevirtual Method java/lang/String charAt (I)C
L89: if_icmpeq L161
L92: iload 7
L94: aload 4
L96: iconst_0
L97: invokevirtual Method java/lang/String charAt (I)C
L100: if_icmpeq L161
L103: iload 8
L105: aload 4
L107: iconst_0
L108: invokevirtual Method java/lang/String charAt (I)C
L111: if_icmpne L117
L114: goto L161
.stack same
L117: iinc 5 1
L120: getstatic Field java/lang/System out Ljava/io/PrintStream;
L123: new java/lang/StringBuilder
L126: dup
L127: invokespecial Method java/lang/StringBuilder <init> ()V
L130: ldc ''
L132: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L135: iload 6
L137: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L140: iload 7
L142: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L145: iload 8
L147: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L150: ldc ' '
L152: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L155: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L158: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V
.stack same
L161: iload 8
L163: iconst_1
L164: iadd
L165: i2c
L166: istore 8
L168: goto L71
.stack chop 1
L171: iload 7
L173: iconst_1
L174: iadd
L175: i2c
L176: istore 7
L178: goto L54
.stack chop 1
L181: iload 6
L183: iconst_1
L184: iadd
L185: i2c
L186: istore 6
L188: goto L37
.stack chop 1
L191: getstatic Field java/lang/System out Ljava/io/PrintStream;
L194: iload 5
L196: invokevirtual Method java/io/PrintStream println (I)V
L199: return
L200:
.linenumbertable
L0 8
L11 10
L16 11
L21 12
L27 13
L30 15
L47 16
L64 17
L81 18
L114 19
L117 21
L120 22
L161 17
L171 16
L181 15
L191 27
L199 28
.end linenumbertable
.end code
.end method
.sourcefile 'test.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 22:47:51 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.util.NoSuchElementException;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.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 test_ESTest extends test_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
SystemInUtil.addInputLine("HUb");
test test0 = new test();
String[] stringArray0 = new String[4];
stringArray0[0] = "";
stringArray0[1] = "6w/gTlez+qcH<D{N";
SystemInUtil.addInputLine(")r'M!ohy5d|D]M");
stringArray0[2] = "a{";
// Undeclared exception!
try {
test.main(stringArray0);
fail("Expecting exception: NoSuchElementException");
} catch(NoSuchElementException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("java.util.Scanner", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
test test0 = new test();
SystemInUtil.addInputLine("");
String[] stringArray0 = new String[5];
stringArray0[0] = "";
stringArray0[1] = "@Ngs";
stringArray0[2] = "S~bAf.H)";
stringArray0[3] = "cMW)*qFB";
stringArray0[4] = "";
// Undeclared exception!
try {
test.main(stringArray0);
fail("Expecting exception: NoSuchElementException");
} catch(NoSuchElementException e) {
//
// No line found
//
verifyException("java.util.Scanner", e);
}
}
@Test(timeout = 4000)
public void test2() throws Throwable {
String[] stringArray0 = new String[0];
// Undeclared exception!
try {
test.main(stringArray0);
fail("Expecting exception: NoSuchElementException");
} catch(NoSuchElementException e) {
//
// No line found
//
verifyException("java.util.Scanner", e);
}
}
@Test(timeout = 4000)
public void test3() throws Throwable {
String[] stringArray0 = null;
SystemInUtil.addInputLine("+/+(XlC,");
SystemInUtil.addInputLine("+/+(XlC,");
SystemInUtil.addInputLine("+/+(XlC,");
test.main((String[]) null);
// Undeclared exception!
try {
test.main((String[]) null);
fail("Expecting exception: NoSuchElementException");
} catch(NoSuchElementException e) {
//
// No line found
//
verifyException("java.util.Scanner", e);
}
}
@Test(timeout = 4000)
public void test4() throws Throwable {
String[] stringArray0 = new String[10];
// Undeclared exception!
try {
test.main(stringArray0);
fail("Expecting exception: NoSuchElementException");
} catch(NoSuchElementException e) {
//
// No line found
//
verifyException("java.util.Scanner", e);
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 22:47:51 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class 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();
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/tmp6n9c0s7x");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.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"
);
}
}
| 1,040 |
ImagePanel | /*
* Copyright (C) 2001-2011 Frédéric Bergeron ([email protected])
* and other contributors
*
* 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., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
*/
import java.awt.*;
/** Panel drawn with an image. */
public class ImagePanel extends Panel {
/** Create an <code>ImagePanel</code> without image. */
public ImagePanel() {}
/**
* Create an <code>ImagePanel</code> with an image.
*
* @param image Image to be drawn on the canvas.
*/
public ImagePanel(Image image) {
setImage(image);
}
/**
* Gets the preferred size of the component.
*
* @return The size of the image if specified. Otherwise, returns default behavior.
*/
public Dimension getPreferredSize() {
if (img == null) return (super.getPreferredSize());
int width = img.getWidth(this);
int height = img.getHeight(this);
return (new Dimension(width, height));
}
public void setBounds(int x, int y, int width, int height) {
if (offscreen != null) {
offscreenGr.dispose();
offscreen = null;
offscreenGr = null;
}
super.setBounds(x, y, width, height);
}
/**
* Affect an image to the panel and redraw it.
*
* @param image Image to be drawn on the panel.
*/
public void setImage(Image image) {
img = image;
isImgLoaded = false;
repaint();
}
/**
* Redraw the panel. This method is more efficient than the default behavior.
*
* @param g Graphics on which we draw the panel.
*/
public void update(Graphics g) {
if (!isDoubleBuffered) {
paint(g);
return;
}
// Create offscreen
Dimension dim = this.getSize();
if (offscreen == null) {
offscreen = this.createImage(dim.width, dim.height);
offscreenGr = offscreen.getGraphics();
}
paint(offscreenGr);
g.drawImage(offscreen, 0, 0, this);
}
/**
* Draw the panel.
*
* <p>Subclasses of <code>ImagePanel</code> can draw over the image once it is loaded.
*
* @param g Graphics on which we draw the panel.
*/
public void paint(Graphics g) {
super.paint(g);
// If no img is specified, nothing more to do.
if (img == null) return;
// Print a message while the image is loading.
if (!prepareImage(img, this)) {
String str = "Loading image...";
FontMetrics fm = getFontMetrics(getFont());
Dimension dim = getSize();
int x = (dim.width - fm.stringWidth(str)) / 2;
int y = (dim.height - fm.getHeight()) / 2;
g.drawString(str, x, y);
return;
}
// Draw the image when loaded.
isImgLoaded = true;
Dimension dim = getSize();
int imgWidth = img.getWidth(this);
int imgHeight = img.getHeight(this);
int x = (dim.width - imgWidth) / 2;
int y = (dim.height - imgHeight) / 2;
// Rounding correction
if (x < 0) x = 0;
if (y < 0) y = 0;
g.drawImage(img, x, y, this);
}
/**
* @return <code>true</code> if the image has been specified and if it is loaded, <code>false
* </code>, otherwise.
*/
public boolean isImageLoaded() {
return (isImgLoaded);
}
/**
* @return <code>true</code> if the canvas uses an offscreen to draw itself.
*/
public boolean isDoubleBuffered() {
return (isDoubleBuffered);
}
/**
* Set if whether the canvas must draw itself in an offscreen before rendering.
*
* <p>By default, <code>ImagePanel</code> doesn't use an offscreen.
*
* @param isDoubleBuffered <code>true</code> to use an offscreen.
*/
public void setDoubleBuffered(boolean isDoubleBuffered) {
isDoubleBuffered = isDoubleBuffered;
repaint();
}
/** Clean up the offscreen when the canvas is destroyed. */
public void destroy() {
if (offscreenGr != null) offscreenGr.dispose();
}
private boolean isDoubleBuffered;
private boolean isImgLoaded;
private Image img;
private Image offscreen;
private Graphics offscreenGr;
}
| .version 52 0
.class public super ImagePanel
.super java/awt/Panel
.field private isDoubleBuffered Z
.field private isImgLoaded Z
.field private img Ljava/awt/Image;
.field private offscreen Ljava/awt/Image;
.field private offscreenGr Ljava/awt/Graphics;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/awt/Panel <init> ()V
L4: return
L5:
.linenumbertable
L0 32
L4 33
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/awt/Image;)V
.code stack 2 locals 2
L0: aload_0
L1: invokespecial Method java/awt/Panel <init> ()V
L4: aload_0
L5: aload_1
L6: invokevirtual Method ImagePanel setImage (Ljava/awt/Image;)V
L9: return
L10:
.linenumbertable
L0 39
L4 40
L9 41
.end linenumbertable
.end code
.end method
.method public getPreferredSize : ()Ljava/awt/Dimension;
.code stack 4 locals 3
L0: aload_0
L1: getfield Field ImagePanel img Ljava/awt/Image;
L4: ifnonnull L12
L7: aload_0
L8: invokespecial Method java/awt/Panel getPreferredSize ()Ljava/awt/Dimension;
L11: areturn
.stack same
L12: aload_0
L13: getfield Field ImagePanel img Ljava/awt/Image;
L16: aload_0
L17: invokevirtual Method java/awt/Image getWidth (Ljava/awt/image/ImageObserver;)I
L20: istore_1
L21: aload_0
L22: getfield Field ImagePanel img Ljava/awt/Image;
L25: aload_0
L26: invokevirtual Method java/awt/Image getHeight (Ljava/awt/image/ImageObserver;)I
L29: istore_2
L30: new java/awt/Dimension
L33: dup
L34: iload_1
L35: iload_2
L36: invokespecial Method java/awt/Dimension <init> (II)V
L39: areturn
L40:
.linenumbertable
L0 49
L7 50
L12 51
L21 52
L30 53
.end linenumbertable
.end code
.end method
.method public setBounds : (IIII)V
.code stack 5 locals 5
L0: aload_0
L1: getfield Field ImagePanel offscreen Ljava/awt/Image;
L4: ifnull L24
L7: aload_0
L8: getfield Field ImagePanel offscreenGr Ljava/awt/Graphics;
L11: invokevirtual Method java/awt/Graphics dispose ()V
L14: aload_0
L15: aconst_null
L16: putfield Field ImagePanel offscreen Ljava/awt/Image;
L19: aload_0
L20: aconst_null
L21: putfield Field ImagePanel offscreenGr Ljava/awt/Graphics;
.stack same
L24: aload_0
L25: iload_1
L26: iload_2
L27: iload_3
L28: iload 4
L30: invokespecial Method java/awt/Panel setBounds (IIII)V
L33: return
L34:
.linenumbertable
L0 57
L7 58
L14 59
L19 60
L24 62
L33 63
.end linenumbertable
.end code
.end method
.method public setImage : (Ljava/awt/Image;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field ImagePanel img Ljava/awt/Image;
L5: aload_0
L6: iconst_0
L7: putfield Field ImagePanel isImgLoaded Z
L10: aload_0
L11: invokevirtual Method ImagePanel repaint ()V
L14: return
L15:
.linenumbertable
L0 70
L5 71
L10 72
L14 73
.end linenumbertable
.end code
.end method
.method public update : (Ljava/awt/Graphics;)V
.code stack 5 locals 3
L0: aload_0
L1: getfield Field ImagePanel isDoubleBuffered Z
L4: ifne L13
L7: aload_0
L8: aload_1
L9: invokevirtual Method ImagePanel paint (Ljava/awt/Graphics;)V
L12: return
.stack same
L13: aload_0
L14: invokevirtual Method ImagePanel getSize ()Ljava/awt/Dimension;
L17: astore_2
L18: aload_0
L19: getfield Field ImagePanel offscreen Ljava/awt/Image;
L22: ifnonnull L52
L25: aload_0
L26: aload_0
L27: aload_2
L28: getfield Field java/awt/Dimension width I
L31: aload_2
L32: getfield Field java/awt/Dimension height I
L35: invokevirtual Method ImagePanel createImage (II)Ljava/awt/Image;
L38: putfield Field ImagePanel offscreen Ljava/awt/Image;
L41: aload_0
L42: aload_0
L43: getfield Field ImagePanel offscreen Ljava/awt/Image;
L46: invokevirtual Method java/awt/Image getGraphics ()Ljava/awt/Graphics;
L49: putfield Field ImagePanel offscreenGr Ljava/awt/Graphics;
.stack append Object java/awt/Dimension
L52: aload_0
L53: aload_0
L54: getfield Field ImagePanel offscreenGr Ljava/awt/Graphics;
L57: invokevirtual Method ImagePanel paint (Ljava/awt/Graphics;)V
L60: aload_1
L61: aload_0
L62: getfield Field ImagePanel offscreen Ljava/awt/Image;
L65: iconst_0
L66: iconst_0
L67: aload_0
L68: invokevirtual Method java/awt/Graphics drawImage (Ljava/awt/Image;IILjava/awt/image/ImageObserver;)Z
L71: pop
L72: return
L73:
.linenumbertable
L0 81
L7 82
L12 83
L13 87
L18 88
L25 89
L41 90
L52 93
L60 95
L72 96
.end linenumbertable
.end code
.end method
.method public paint : (Ljava/awt/Graphics;)V
.code stack 5 locals 7
L0: aload_0
L1: aload_1
L2: invokespecial Method java/awt/Panel paint (Ljava/awt/Graphics;)V
L5: aload_0
L6: getfield Field ImagePanel img Ljava/awt/Image;
L9: ifnonnull L13
L12: return
.stack same
L13: aload_0
L14: aload_0
L15: getfield Field ImagePanel img Ljava/awt/Image;
L18: aload_0
L19: invokevirtual Method ImagePanel prepareImage (Ljava/awt/Image;Ljava/awt/image/ImageObserver;)Z
L22: ifne L82
L25: ldc 'Loading image...'
L27: astore_2
L28: aload_0
L29: aload_0
L30: invokevirtual Method ImagePanel getFont ()Ljava/awt/Font;
L33: invokevirtual Method ImagePanel getFontMetrics (Ljava/awt/Font;)Ljava/awt/FontMetrics;
L36: astore_3
L37: aload_0
L38: invokevirtual Method ImagePanel getSize ()Ljava/awt/Dimension;
L41: astore 4
L43: aload 4
L45: getfield Field java/awt/Dimension width I
L48: aload_3
L49: aload_2
L50: invokevirtual Method java/awt/FontMetrics stringWidth (Ljava/lang/String;)I
L53: isub
L54: iconst_2
L55: idiv
L56: istore 5
L58: aload 4
L60: getfield Field java/awt/Dimension height I
L63: aload_3
L64: invokevirtual Method java/awt/FontMetrics getHeight ()I
L67: isub
L68: iconst_2
L69: idiv
L70: istore 6
L72: aload_1
L73: aload_2
L74: iload 5
L76: iload 6
L78: invokevirtual Method java/awt/Graphics drawString (Ljava/lang/String;II)V
L81: return
.stack same_extended
L82: aload_0
L83: iconst_1
L84: putfield Field ImagePanel isImgLoaded Z
L87: aload_0
L88: invokevirtual Method ImagePanel getSize ()Ljava/awt/Dimension;
L91: astore_2
L92: aload_0
L93: getfield Field ImagePanel img Ljava/awt/Image;
L96: aload_0
L97: invokevirtual Method java/awt/Image getWidth (Ljava/awt/image/ImageObserver;)I
L100: istore_3
L101: aload_0
L102: getfield Field ImagePanel img Ljava/awt/Image;
L105: aload_0
L106: invokevirtual Method java/awt/Image getHeight (Ljava/awt/image/ImageObserver;)I
L109: istore 4
L111: aload_2
L112: getfield Field java/awt/Dimension width I
L115: iload_3
L116: isub
L117: iconst_2
L118: idiv
L119: istore 5
L121: aload_2
L122: getfield Field java/awt/Dimension height I
L125: iload 4
L127: isub
L128: iconst_2
L129: idiv
L130: istore 6
L132: iload 5
L134: ifge L140
L137: iconst_0
L138: istore 5
.stack full
locals Object ImagePanel Object java/awt/Graphics Object java/awt/Dimension Integer Integer Integer Integer
stack
.end stack
L140: iload 6
L142: ifge L148
L145: iconst_0
L146: istore 6
.stack same
L148: aload_1
L149: aload_0
L150: getfield Field ImagePanel img Ljava/awt/Image;
L153: iload 5
L155: iload 6
L157: aload_0
L158: invokevirtual Method java/awt/Graphics drawImage (Ljava/awt/Image;IILjava/awt/image/ImageObserver;)Z
L161: pop
L162: return
L163:
.linenumbertable
L0 106
L5 109
L12 110
L13 113
L25 114
L28 115
L37 116
L43 117
L58 118
L72 119
L81 120
L82 124
L87 125
L92 126
L101 127
L111 128
L121 129
L132 131
L137 132
L140 133
L145 134
L148 135
L162 136
.end linenumbertable
.end code
.end method
.method public isImageLoaded : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ImagePanel isImgLoaded Z
L4: ireturn
L5:
.linenumbertable
L0 143
.end linenumbertable
.end code
.end method
.method public isDoubleBuffered : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ImagePanel isDoubleBuffered Z
L4: ireturn
L5:
.linenumbertable
L0 150
.end linenumbertable
.end code
.end method
.method public setDoubleBuffered : (Z)V
.code stack 1 locals 2
L0: iload_1
L1: istore_1
L2: aload_0
L3: invokevirtual Method ImagePanel repaint ()V
L6: return
L7:
.linenumbertable
L0 160
L2 161
L6 162
.end linenumbertable
.end code
.end method
.method public destroy : ()V
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ImagePanel offscreenGr Ljava/awt/Graphics;
L4: ifnull L14
L7: aload_0
L8: getfield Field ImagePanel offscreenGr Ljava/awt/Graphics;
L11: invokevirtual Method java/awt/Graphics dispose ()V
.stack same
L14: return
L15:
.linenumbertable
L0 168
L7 169
L14 170
.end linenumbertable
.end code
.end method
.sourcefile 'ImagePanel.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 02:15:17 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.awt.Graphics;
import java.awt.Image;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class ImagePanel_ESTest extends ImagePanel_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ImagePanel imagePanel0 = new ImagePanel();
imagePanel0.update((Graphics) null);
imagePanel0.setBounds(0, 0, 0, 0);
imagePanel0.paint((Graphics) null);
imagePanel0.isImageLoaded();
imagePanel0.setDoubleBuffered(false);
assertEquals(0, imagePanel0.getHeight());
assertEquals(0, imagePanel0.getWidth());
assertEquals(0, imagePanel0.getY());
assertEquals(0, imagePanel0.getX());
}
@Test(timeout = 4000)
public void test1() throws Throwable {
ImagePanel imagePanel0 = new ImagePanel((Image) null);
imagePanel0.getPreferredSize();
imagePanel0.setDoubleBuffered(true);
imagePanel0.destroy();
assertFalse(imagePanel0.isImageLoaded());
}
@Test(timeout = 4000)
public void test2() throws Throwable {
ImagePanel imagePanel0 = new ImagePanel();
imagePanel0.setImage((Image) null);
assertFalse(imagePanel0.isImageLoaded());
}
@Test(timeout = 4000)
public void test3() throws Throwable {
ImagePanel imagePanel0 = new ImagePanel();
boolean boolean0 = imagePanel0.isDoubleBuffered();
assertFalse(boolean0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 02:15: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 ImagePanel_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ImagePanel";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpemd6ente");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ImagePanel_ESTest_scaffolding.class.getClassLoader() ,
"ImagePanel"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ImagePanel_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ImagePanel"
);
}
}
| 1,041 |
MacUtils | import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
/**
* MAC地址工具
*
* @author sunshine
* @date 2013-12-21
*/
public class MacUtils {
/** 获取当前操作系统名称. return 操作系统名称 例如:windows,Linux,Unix等. */
public static String getOSName() {
return System.getProperty("os.name").toLowerCase();
}
/**
* 获取Unix网卡的mac地址.
*
* @return mac地址
*/
public static String getUnixMACAddress() {
String mac = null;
BufferedReader bufferedReader = null;
Process process = null;
try {
/** Unix下的命令,一般取eth0作为本地主网卡 显示信息中包含有mac地址信息 */
process = Runtime.getRuntime().exec("ifconfig eth0");
bufferedReader = new BufferedReader(new InputStreamReader(process.getInputStream()));
String line = null;
int index = -1;
while ((line = bufferedReader.readLine()) != null) {
/** 寻找标示字符串[hwaddr] */
index = line.toLowerCase().indexOf("hwaddr");
/** 找到了 */
if (index != -1) {
/** 取出mac地址并去除2边空格 */
mac = line.substring(index + "hwaddr".length() + 1).trim();
break;
}
}
} catch (IOException e) {
e.printStackTrace();
} finally {
try {
if (bufferedReader != null) {
bufferedReader.close();
}
} catch (IOException e1) {
e1.printStackTrace();
}
bufferedReader = null;
process = null;
}
return mac;
}
/**
* 获取Linux网卡的mac地址.
*
* @return mac地址
*/
public static String getLinuxMACAddress() {
String mac = null;
BufferedReader bufferedReader = null;
Process process = null;
try {
/** linux下的命令,一般取eth0作为本地主网卡 显示信息中包含有mac地址信息 */
process = Runtime.getRuntime().exec("ifconfig eth0");
bufferedReader = new BufferedReader(new InputStreamReader(process.getInputStream()));
String line = null;
int index = -1;
while ((line = bufferedReader.readLine()) != null) {
index = line.toLowerCase().indexOf("硬件地址");
/** 找到了 */
if (index != -1) {
/** 取出mac地址并去除2边空格 */
mac = line.substring(index + 4).trim();
break;
}
}
} catch (IOException e) {
e.printStackTrace();
} finally {
try {
if (bufferedReader != null) {
bufferedReader.close();
}
} catch (IOException e1) {
e1.printStackTrace();
}
bufferedReader = null;
process = null;
}
// 取不到,试下Unix取发
if (mac == null) {
return getUnixMACAddress();
}
return mac;
}
/**
* 获取widnows网卡的mac地址.
*
* @return mac地址
*/
public static String getWindowsMACAddress() {
String mac = null;
BufferedReader bufferedReader = null;
Process process = null;
try {
/** windows下的命令,显示信息中包含有mac地址信息 */
process = Runtime.getRuntime().exec("ipconfig /all");
bufferedReader = new BufferedReader(new InputStreamReader(process.getInputStream()));
String line = null;
int index = -1;
while ((line = bufferedReader.readLine()) != null) {
/** 寻找标示字符串[physical address] */
// index = line.toLowerCase().indexOf("physical address");
// if (index != -1) {
if (line.split("-").length == 6) {
index = line.indexOf(":");
if (index != -1) {
/** 取出mac地址并去除2边空格 */
mac = line.substring(index + 1).trim();
}
break;
}
index = line.toLowerCase().indexOf("物理地址");
if (index != -1) {
index = line.indexOf(":");
if (index != -1) {
/** 取出mac地址并去除2边空格 */
mac = line.substring(index + 1).trim();
}
break;
}
}
} catch (IOException e) {
e.printStackTrace();
} finally {
try {
if (bufferedReader != null) {
bufferedReader.close();
}
} catch (IOException e1) {
e1.printStackTrace();
}
bufferedReader = null;
process = null;
}
return mac;
}
public static String getMac() {
String os = getOSName();
String mac;
if (os.startsWith("windows")) {
mac = getWindowsMACAddress();
} else if (os.startsWith("linux")) {
mac = getLinuxMACAddress();
} else {
mac = getUnixMACAddress();
}
return mac == null ? "" : mac;
}
/**
* 测试用的main方法.
*
* @param argc 运行参数.
*/
public static void main(String[] argc) {
String os = getOSName();
System.out.println("os: " + os);
if (os.startsWith("windows")) {
String mac = getWindowsMACAddress();
System.out.println("mac: " + mac);
} else if (os.startsWith("linux")) {
String mac = getLinuxMACAddress();
System.out.println("mac: " + mac);
} else {
String mac = getUnixMACAddress();
System.out.println("mac: " + mac);
}
}
}
| .version 52 0
.class public super MacUtils
.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 13
.end linenumbertable
.end code
.end method
.method public static getOSName : ()Ljava/lang/String;
.code stack 1 locals 0
L0: ldc 'os.name'
L2: invokestatic Method java/lang/System getProperty (Ljava/lang/String;)Ljava/lang/String;
L5: invokevirtual Method java/lang/String toLowerCase ()Ljava/lang/String;
L8: areturn
L9:
.linenumbertable
L0 19
.end linenumbertable
.end code
.end method
.method public static getUnixMACAddress : ()Ljava/lang/String;
.code stack 5 locals 7
L0: aconst_null
L1: astore_0
L2: aconst_null
L3: astore_1
L4: aconst_null
L5: astore_2
L6: invokestatic Method java/lang/Runtime getRuntime ()Ljava/lang/Runtime;
L9: ldc 'ifconfig eth0'
L11: invokevirtual Method java/lang/Runtime exec (Ljava/lang/String;)Ljava/lang/Process;
L14: astore_2
L15: new java/io/BufferedReader
L18: dup
L19: new java/io/InputStreamReader
L22: dup
L23: aload_2
L24: invokevirtual Method java/lang/Process getInputStream ()Ljava/io/InputStream;
L27: invokespecial Method java/io/InputStreamReader <init> (Ljava/io/InputStream;)V
L30: invokespecial Method java/io/BufferedReader <init> (Ljava/io/Reader;)V
L33: astore_1
L34: aconst_null
L35: astore_3
L36: iconst_m1
L37: istore 4
.stack full
locals Object java/lang/String Object java/io/BufferedReader Object java/lang/Process Object java/lang/String Integer
stack
.end stack
L39: aload_1
L40: invokevirtual Method java/io/BufferedReader readLine ()Ljava/lang/String;
L43: dup
L44: astore_3
L45: ifnull L86
L48: aload_3
L49: invokevirtual Method java/lang/String toLowerCase ()Ljava/lang/String;
L52: ldc 'hwaddr'
L54: invokevirtual Method java/lang/String indexOf (Ljava/lang/String;)I
L57: istore 4
L59: iload 4
L61: iconst_m1
L62: if_icmpeq L39
L65: aload_3
L66: iload 4
L68: ldc 'hwaddr'
L70: invokevirtual Method java/lang/String length ()I
L73: iadd
L74: iconst_1
L75: iadd
L76: invokevirtual Method java/lang/String substring (I)Ljava/lang/String;
L79: invokevirtual Method java/lang/String trim ()Ljava/lang/String;
L82: astore_0
L83: goto L86
.catch java/io/IOException from L86 to L94 using L97
.catch java/io/IOException from L6 to L86 using L109
.stack chop 2
L86: aload_1
L87: ifnull L94
L90: aload_1
L91: invokevirtual Method java/io/BufferedReader close ()V
.stack same
L94: goto L102
.stack stack_1 Object java/io/IOException
L97: astore_3
L98: aload_3
L99: invokevirtual Method java/io/IOException printStackTrace ()V
.stack same
L102: aconst_null
L103: astore_1
L104: aconst_null
L105: astore_2
L106: goto L164
.stack stack_1 Object java/io/IOException
L109: astore_3
L110: aload_3
L111: invokevirtual Method java/io/IOException printStackTrace ()V
.catch java/io/IOException from L114 to L122 using L125
.catch [0] from L6 to L86 using L137
.catch [0] from L109 to L114 using L137
L114: aload_1
L115: ifnull L122
L118: aload_1
L119: invokevirtual Method java/io/BufferedReader close ()V
.stack same
L122: goto L130
.stack stack_1 Object java/io/IOException
L125: astore_3
L126: aload_3
L127: invokevirtual Method java/io/IOException printStackTrace ()V
.stack same
L130: aconst_null
L131: astore_1
L132: aconst_null
L133: astore_2
L134: goto L164
.stack stack_1 Object java/lang/Throwable
L137: astore 5
.catch java/io/IOException from L139 to L147 using L150
.catch [0] from L137 to L139 using L137
L139: aload_1
L140: ifnull L147
L143: aload_1
L144: invokevirtual Method java/io/BufferedReader close ()V
.stack append Top Top Object java/lang/Throwable
L147: goto L157
.stack stack_1 Object java/io/IOException
L150: astore 6
L152: aload 6
L154: invokevirtual Method java/io/IOException printStackTrace ()V
.stack same
L157: aconst_null
L158: astore_1
L159: aconst_null
L160: astore_2
L161: aload 5
L163: athrow
.stack chop 3
L164: aload_0
L165: areturn
L166:
.linenumbertable
L0 28
L2 29
L4 30
L6 35
L15 36
L24 37
L34 38
L36 39
L39 40
L48 44
L59 48
L65 52
L83 53
L86 60
L90 61
L94 65
L97 63
L98 64
L102 66
L104 67
L106 68
L109 56
L110 57
L114 60
L118 61
L122 65
L125 63
L126 64
L130 66
L132 67
L134 68
L137 59
L139 60
L143 61
L147 65
L150 63
L152 64
L157 66
L159 67
L161 68
L164 70
.end linenumbertable
.end code
.end method
.method public static getLinuxMACAddress : ()Ljava/lang/String;
.code stack 5 locals 7
L0: aconst_null
L1: astore_0
L2: aconst_null
L3: astore_1
L4: aconst_null
L5: astore_2
L6: invokestatic Method java/lang/Runtime getRuntime ()Ljava/lang/Runtime;
L9: ldc 'ifconfig eth0'
L11: invokevirtual Method java/lang/Runtime exec (Ljava/lang/String;)Ljava/lang/Process;
L14: astore_2
L15: new java/io/BufferedReader
L18: dup
L19: new java/io/InputStreamReader
L22: dup
L23: aload_2
L24: invokevirtual Method java/lang/Process getInputStream ()Ljava/io/InputStream;
L27: invokespecial Method java/io/InputStreamReader <init> (Ljava/io/InputStream;)V
L30: invokespecial Method java/io/BufferedReader <init> (Ljava/io/Reader;)V
L33: astore_1
L34: aconst_null
L35: astore_3
L36: iconst_m1
L37: istore 4
.stack full
locals Object java/lang/String Object java/io/BufferedReader Object java/lang/Process Object java/lang/String Integer
stack
.end stack
L39: aload_1
L40: invokevirtual Method java/io/BufferedReader readLine ()Ljava/lang/String;
L43: dup
L44: astore_3
L45: ifnull L80
L48: aload_3
L49: invokevirtual Method java/lang/String toLowerCase ()Ljava/lang/String;
L52: ldc '硬件地址'
L54: invokevirtual Method java/lang/String indexOf (Ljava/lang/String;)I
L57: istore 4
L59: iload 4
L61: iconst_m1
L62: if_icmpeq L39
L65: aload_3
L66: iload 4
L68: iconst_4
L69: iadd
L70: invokevirtual Method java/lang/String substring (I)Ljava/lang/String;
L73: invokevirtual Method java/lang/String trim ()Ljava/lang/String;
L76: astore_0
L77: goto L80
.catch java/io/IOException from L80 to L88 using L91
.catch java/io/IOException from L6 to L80 using L103
.stack chop 2
L80: aload_1
L81: ifnull L88
L84: aload_1
L85: invokevirtual Method java/io/BufferedReader close ()V
.stack same
L88: goto L96
.stack stack_1 Object java/io/IOException
L91: astore_3
L92: aload_3
L93: invokevirtual Method java/io/IOException printStackTrace ()V
.stack same
L96: aconst_null
L97: astore_1
L98: aconst_null
L99: astore_2
L100: goto L158
.stack stack_1 Object java/io/IOException
L103: astore_3
L104: aload_3
L105: invokevirtual Method java/io/IOException printStackTrace ()V
.catch java/io/IOException from L108 to L116 using L119
.catch [0] from L6 to L80 using L131
.catch [0] from L103 to L108 using L131
L108: aload_1
L109: ifnull L116
L112: aload_1
L113: invokevirtual Method java/io/BufferedReader close ()V
.stack same
L116: goto L124
.stack stack_1 Object java/io/IOException
L119: astore_3
L120: aload_3
L121: invokevirtual Method java/io/IOException printStackTrace ()V
.stack same
L124: aconst_null
L125: astore_1
L126: aconst_null
L127: astore_2
L128: goto L158
.stack stack_1 Object java/lang/Throwable
L131: astore 5
.catch java/io/IOException from L133 to L141 using L144
.catch [0] from L131 to L133 using L131
L133: aload_1
L134: ifnull L141
L137: aload_1
L138: invokevirtual Method java/io/BufferedReader close ()V
.stack append Top Top Object java/lang/Throwable
L141: goto L151
.stack stack_1 Object java/io/IOException
L144: astore 6
L146: aload 6
L148: invokevirtual Method java/io/IOException printStackTrace ()V
.stack same
L151: aconst_null
L152: astore_1
L153: aconst_null
L154: astore_2
L155: aload 5
L157: athrow
.stack chop 3
L158: aload_0
L159: ifnonnull L166
L162: invokestatic Method MacUtils getUnixMACAddress ()Ljava/lang/String;
L165: areturn
.stack same
L166: aload_0
L167: areturn
L168:
.linenumbertable
L0 79
L2 80
L4 81
L6 86
L15 87
L24 88
L34 89
L36 90
L39 91
L48 92
L59 96
L65 100
L77 101
L80 108
L84 109
L88 113
L91 111
L92 112
L96 114
L98 115
L100 116
L103 104
L104 105
L108 108
L112 109
L116 113
L119 111
L120 112
L124 114
L126 115
L128 116
L131 107
L133 108
L137 109
L141 113
L144 111
L146 112
L151 114
L153 115
L155 116
L158 119
L162 120
L166 123
.end linenumbertable
.end code
.end method
.method public static getWindowsMACAddress : ()Ljava/lang/String;
.code stack 5 locals 7
L0: aconst_null
L1: astore_0
L2: aconst_null
L3: astore_1
L4: aconst_null
L5: astore_2
L6: invokestatic Method java/lang/Runtime getRuntime ()Ljava/lang/Runtime;
L9: ldc 'ipconfig /all'
L11: invokevirtual Method java/lang/Runtime exec (Ljava/lang/String;)Ljava/lang/Process;
L14: astore_2
L15: new java/io/BufferedReader
L18: dup
L19: new java/io/InputStreamReader
L22: dup
L23: aload_2
L24: invokevirtual Method java/lang/Process getInputStream ()Ljava/io/InputStream;
L27: invokespecial Method java/io/InputStreamReader <init> (Ljava/io/InputStream;)V
L30: invokespecial Method java/io/BufferedReader <init> (Ljava/io/Reader;)V
L33: astore_1
L34: aconst_null
L35: astore_3
L36: iconst_m1
L37: istore 4
.stack full
locals Object java/lang/String Object java/io/BufferedReader Object java/lang/Process Object java/lang/String Integer
stack
.end stack
L39: aload_1
L40: invokevirtual Method java/io/BufferedReader readLine ()Ljava/lang/String;
L43: dup
L44: astore_3
L45: ifnull L135
L48: aload_3
L49: ldc '-'
L51: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String;
L54: arraylength
L55: bipush 6
L57: if_icmpne L89
L60: aload_3
L61: ldc ':'
L63: invokevirtual Method java/lang/String indexOf (Ljava/lang/String;)I
L66: istore 4
L68: iload 4
L70: iconst_m1
L71: if_icmpeq L135
L74: aload_3
L75: iload 4
L77: iconst_1
L78: iadd
L79: invokevirtual Method java/lang/String substring (I)Ljava/lang/String;
L82: invokevirtual Method java/lang/String trim ()Ljava/lang/String;
L85: astore_0
L86: goto L135
.stack same
L89: aload_3
L90: invokevirtual Method java/lang/String toLowerCase ()Ljava/lang/String;
L93: ldc '物理地址'
L95: invokevirtual Method java/lang/String indexOf (Ljava/lang/String;)I
L98: istore 4
L100: iload 4
L102: iconst_m1
L103: if_icmpeq L39
L106: aload_3
L107: ldc ':'
L109: invokevirtual Method java/lang/String indexOf (Ljava/lang/String;)I
L112: istore 4
L114: iload 4
L116: iconst_m1
L117: if_icmpeq L135
L120: aload_3
L121: iload 4
L123: iconst_1
L124: iadd
L125: invokevirtual Method java/lang/String substring (I)Ljava/lang/String;
L128: invokevirtual Method java/lang/String trim ()Ljava/lang/String;
L131: astore_0
L132: goto L135
.catch java/io/IOException from L135 to L143 using L146
.catch java/io/IOException from L6 to L135 using L158
.stack chop 2
L135: aload_1
L136: ifnull L143
L139: aload_1
L140: invokevirtual Method java/io/BufferedReader close ()V
.stack same
L143: goto L151
.stack stack_1 Object java/io/IOException
L146: astore_3
L147: aload_3
L148: invokevirtual Method java/io/IOException printStackTrace ()V
.stack same
L151: aconst_null
L152: astore_1
L153: aconst_null
L154: astore_2
L155: goto L213
.stack stack_1 Object java/io/IOException
L158: astore_3
L159: aload_3
L160: invokevirtual Method java/io/IOException printStackTrace ()V
.catch java/io/IOException from L163 to L171 using L174
.catch [0] from L6 to L135 using L186
.catch [0] from L158 to L163 using L186
L163: aload_1
L164: ifnull L171
L167: aload_1
L168: invokevirtual Method java/io/BufferedReader close ()V
.stack same
L171: goto L179
.stack stack_1 Object java/io/IOException
L174: astore_3
L175: aload_3
L176: invokevirtual Method java/io/IOException printStackTrace ()V
.stack same
L179: aconst_null
L180: astore_1
L181: aconst_null
L182: astore_2
L183: goto L213
.stack stack_1 Object java/lang/Throwable
L186: astore 5
.catch java/io/IOException from L188 to L196 using L199
.catch [0] from L186 to L188 using L186
L188: aload_1
L189: ifnull L196
L192: aload_1
L193: invokevirtual Method java/io/BufferedReader close ()V
.stack append Top Top Object java/lang/Throwable
L196: goto L206
.stack stack_1 Object java/io/IOException
L199: astore 6
L201: aload 6
L203: invokevirtual Method java/io/IOException printStackTrace ()V
.stack same
L206: aconst_null
L207: astore_1
L208: aconst_null
L209: astore_2
L210: aload 5
L212: athrow
.stack chop 3
L213: aload_0
L214: areturn
L215:
.linenumbertable
L0 132
L2 133
L4 134
L6 139
L15 140
L34 141
L36 142
L39 143
L48 149
L60 150
L68 151
L74 155
L89 159
L100 160
L106 161
L114 162
L120 166
L135 175
L139 176
L143 180
L146 178
L147 179
L151 181
L153 182
L155 183
L158 171
L159 172
L163 175
L167 176
L171 180
L174 178
L175 179
L179 181
L181 182
L183 183
L186 174
L188 175
L192 176
L196 180
L199 178
L201 179
L206 181
L208 182
L210 183
L213 185
.end linenumbertable
.end code
.end method
.method public static getMac : ()Ljava/lang/String;
.code stack 2 locals 2
L0: invokestatic Method MacUtils getOSName ()Ljava/lang/String;
L3: astore_0
L4: aload_0
L5: ldc 'windows'
L7: invokevirtual Method java/lang/String startsWith (Ljava/lang/String;)Z
L10: ifeq L20
L13: invokestatic Method MacUtils getWindowsMACAddress ()Ljava/lang/String;
L16: astore_1
L17: goto L40
.stack append Object java/lang/String
L20: aload_0
L21: ldc 'linux'
L23: invokevirtual Method java/lang/String startsWith (Ljava/lang/String;)Z
L26: ifeq L36
L29: invokestatic Method MacUtils getLinuxMACAddress ()Ljava/lang/String;
L32: astore_1
L33: goto L40
.stack same
L36: invokestatic Method MacUtils getUnixMACAddress ()Ljava/lang/String;
L39: astore_1
.stack append Object java/lang/String
L40: aload_1
L41: ifnonnull L49
L44: ldc ''
L46: goto L50
.stack same
L49: aload_1
.stack stack_1 Object java/lang/String
L50: areturn
L51:
.linenumbertable
L0 189
L4 191
L13 192
L20 193
L29 194
L36 196
L40 198
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 3 locals 3
L0: invokestatic Method MacUtils getOSName ()Ljava/lang/String;
L3: astore_1
L4: getstatic Field java/lang/System out Ljava/io/PrintStream;
L7: new java/lang/StringBuilder
L10: dup
L11: invokespecial Method java/lang/StringBuilder <init> ()V
L14: ldc 'os: '
L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L19: aload_1
L20: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L23: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L26: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L29: aload_1
L30: ldc 'windows'
L32: invokevirtual Method java/lang/String startsWith (Ljava/lang/String;)Z
L35: ifeq L70
L38: invokestatic Method MacUtils getWindowsMACAddress ()Ljava/lang/String;
L41: astore_2
L42: getstatic Field java/lang/System out Ljava/io/PrintStream;
L45: new java/lang/StringBuilder
L48: dup
L49: invokespecial Method java/lang/StringBuilder <init> ()V
L52: ldc 'mac: '
L54: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L57: aload_2
L58: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L61: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L64: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L67: goto L140
.stack append Object java/lang/String
L70: aload_1
L71: ldc 'linux'
L73: invokevirtual Method java/lang/String startsWith (Ljava/lang/String;)Z
L76: ifeq L111
L79: invokestatic Method MacUtils getLinuxMACAddress ()Ljava/lang/String;
L82: astore_2
L83: getstatic Field java/lang/System out Ljava/io/PrintStream;
L86: new java/lang/StringBuilder
L89: dup
L90: invokespecial Method java/lang/StringBuilder <init> ()V
L93: ldc 'mac: '
L95: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L98: aload_2
L99: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L102: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L105: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L108: goto L140
.stack same
L111: invokestatic Method MacUtils getUnixMACAddress ()Ljava/lang/String;
L114: astore_2
L115: getstatic Field java/lang/System out Ljava/io/PrintStream;
L118: new java/lang/StringBuilder
L121: dup
L122: invokespecial Method java/lang/StringBuilder <init> ()V
L125: ldc 'mac: '
L127: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L130: aload_2
L131: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L134: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L137: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack same
L140: return
L141:
.linenumbertable
L0 207
L4 208
L29 209
L38 210
L42 211
L67 212
L79 213
L83 214
L108 215
L111 216
L115 217
L140 219
.end linenumbertable
.end code
.end method
.sourcefile 'MacUtils.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 02:53:49 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class MacUtils_ESTest extends MacUtils_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String string0 = MacUtils.getLinuxMACAddress();
assertNull(string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
String string0 = MacUtils.getUnixMACAddress();
assertNull(string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
String string0 = MacUtils.getOSName();
assertEquals("linux", string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
String[] stringArray0 = new String[4];
MacUtils.main(stringArray0);
assertEquals(4, stringArray0.length);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
MacUtils.getWindowsMACAddress();
MacUtils.getWindowsMACAddress();
MacUtils.getMac();
MacUtils macUtils0 = new MacUtils();
String[] stringArray0 = new String[4];
MacUtils.main(stringArray0);
assertEquals(4, stringArray0.length);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 02:53:49 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class MacUtils_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "MacUtils";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp4cn17dpb");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MacUtils_ESTest_scaffolding.class.getClassLoader() ,
"MacUtils"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MacUtils_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MacUtils"
);
}
}
| 1,042 |
TimeInfoMS | public class TimeInfoMS {
public double elapsedTimeMs;
public double cpuTimeMs;
public double kernelTimeMs;
}
| .version 52 0
.class public super TimeInfoMS
.super java/lang/Object
.field public elapsedTimeMs D
.field public cpuTimeMs D
.field public kernelTimeMs 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 3
.end linenumbertable
.end code
.end method
.sourcefile 'TimeInfoMS.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 05:58: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 TimeInfoMS_ESTest extends TimeInfoMS_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
TimeInfoMS timeInfoMS0 = new TimeInfoMS();
assertEquals(0.0, timeInfoMS0.kernelTimeMs, 1.0E-4);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 05:58: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 TimeInfoMS_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "TimeInfoMS";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp7paobb1f");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TimeInfoMS_ESTest_scaffolding.class.getClassLoader() ,
"TimeInfoMS"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TimeInfoMS_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"TimeInfoMS"
);
}
}
| 1,043 |
DivisorDigits |
public class DivisorDigits {
public int howMany(int number) {
String d = Integer.toString(number);
int[] used = new int[10];
for (char c : d.toCharArray()) {
used[c - '0']++;
}
int res = 0;
for (int i = 1; i < 10; i++) {
if (used[i] != 0 && number % i == 0) {
res += used[i];
}
}
return res;
}
}
| .version 52 0
.class public super DivisorDigits
.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 howMany : (I)I
.code stack 4 locals 8
L0: iload_1
L1: invokestatic Method java/lang/Integer toString (I)Ljava/lang/String;
L4: astore_2
L5: bipush 10
L7: newarray int
L9: astore_3
L10: aload_2
L11: invokevirtual Method java/lang/String toCharArray ()[C
L14: astore 4
L16: aload 4
L18: arraylength
L19: istore 5
L21: iconst_0
L22: istore 6
.stack full
locals Object DivisorDigits Integer Object java/lang/String Object [I Object [C Integer Integer
stack
.end stack
L24: iload 6
L26: iload 5
L28: if_icmpge L55
L31: aload 4
L33: iload 6
L35: caload
L36: istore 7
L38: aload_3
L39: iload 7
L41: bipush 48
L43: isub
L44: dup2
L45: iaload
L46: iconst_1
L47: iadd
L48: iastore
L49: iinc 6 1
L52: goto L24
.stack chop 3
L55: iconst_0
L56: istore 4
L58: iconst_1
L59: istore 5
.stack append Integer Integer
L61: iload 5
L63: bipush 10
L65: if_icmpge L97
L68: aload_3
L69: iload 5
L71: iaload
L72: ifeq L91
L75: iload_1
L76: iload 5
L78: irem
L79: ifne L91
L82: iload 4
L84: aload_3
L85: iload 5
L87: iaload
L88: iadd
L89: istore 4
.stack same
L91: iinc 5 1
L94: goto L61
.stack chop 1
L97: iload 4
L99: ireturn
L100:
.linenumbertable
L0 7
L5 8
L10 9
L38 10
L49 9
L55 12
L58 13
L68 14
L82 15
L91 13
L97 18
.end linenumbertable
.end code
.end method
.sourcefile 'DivisorDigits.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 16:44: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 DivisorDigits_ESTest extends DivisorDigits_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
DivisorDigits divisorDigits0 = new DivisorDigits();
int int0 = (-1714);
// Undeclared exception!
try {
divisorDigits0.howMany((-1714));
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// no message in exception (getMessage() returned null)
//
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
DivisorDigits divisorDigits0 = new DivisorDigits();
int int0 = (-144584);
// Undeclared exception!
try {
divisorDigits0.howMany((-144584));
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// no message in exception (getMessage() returned null)
//
}
}
@Test(timeout = 4000)
public void test2() throws Throwable {
DivisorDigits divisorDigits0 = new DivisorDigits();
int int0 = divisorDigits0.howMany(1412);
assertEquals(4, int0);
divisorDigits0.howMany(0);
divisorDigits0.howMany(1412);
divisorDigits0.howMany(32236);
divisorDigits0.howMany(32236);
divisorDigits0.howMany(0);
divisorDigits0.howMany(4);
divisorDigits0.howMany(0);
int int1 = divisorDigits0.howMany(55405);
assertEquals(3, int1);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
DivisorDigits divisorDigits0 = new DivisorDigits();
int int0 = 0;
divisorDigits0.howMany(0);
int int1 = 42122;
divisorDigits0.howMany(42122);
// Undeclared exception!
try {
divisorDigits0.howMany((-1));
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// no message in exception (getMessage() returned null)
//
}
}
@Test(timeout = 4000)
public void test4() throws Throwable {
DivisorDigits divisorDigits0 = new DivisorDigits();
divisorDigits0.howMany(3767);
int int0 = 55563;
divisorDigits0.howMany(55563);
// Undeclared exception!
try {
divisorDigits0.howMany((-65101));
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// no message in exception (getMessage() returned null)
//
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 16:44:32 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class DivisorDigits_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "DivisorDigits";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpv7qk76h5");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DivisorDigits_ESTest_scaffolding.class.getClassLoader() ,
"DivisorDigits"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DivisorDigits_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"DivisorDigits"
);
}
}
| 1,044 |
GsonTest | public class GsonTest {}
| .version 52 0
.class public super GsonTest
.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 'GsonTest.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 22:24: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 GsonTest_ESTest extends GsonTest_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
GsonTest gsonTest0 = new GsonTest();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 22:24: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 GsonTest_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "GsonTest";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpnoxx8ner");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(GsonTest_ESTest_scaffolding.class.getClassLoader() ,
"GsonTest"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(GsonTest_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"GsonTest"
);
}
}
| 1,045 |
Say | public class Say {
public String say(long number) {
throw new UnsupportedOperationException(
"Delete this statement and write your own implementation.");
}
}
| .version 52 0
.class public super Say
.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 say : (J)Ljava/lang/String;
.code stack 3 locals 3
L0: new java/lang/UnsupportedOperationException
L3: dup
L4: ldc 'Delete this statement and write your own implementation.'
L6: invokespecial Method java/lang/UnsupportedOperationException <init> (Ljava/lang/String;)V
L9: athrow
L10:
.linenumbertable
L0 4
.end linenumbertable
.end code
.end method
.sourcefile 'Say.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 13:37:28 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 Say_ESTest extends Say_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Say say0 = new Say();
// Undeclared exception!
try {
say0.say(0L);
fail("Expecting exception: UnsupportedOperationException");
} catch(UnsupportedOperationException e) {
//
// Delete this statement and write your own implementation.
//
verifyException("Say", e);
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 13:37: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 Say_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Say";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpvryg88_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(Say_ESTest_scaffolding.class.getClassLoader() ,
"Say"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Say_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Say"
);
}
}
| 1,046 |
EndPointInfo | /**
* com/sun/corba/se/spi/activation/EndPointInfo.java . Generated by the IDL-to-Java compiler
* (portable), version "3.2" from
* c:/re/workspace/8-2-build-windows-amd64-cygwin/jdk8u72/5732/corba/src/share/classes/com/sun/corba/se/spi/activation/activation.idl
* Tuesday, December 22, 2015 7:17:37 PM PST
*/
public final class EndPointInfo implements org.omg.CORBA.portable.IDLEntity {
public String endpointType = null;
public int port = (int) 0;
public EndPointInfo() {} // ctor
public EndPointInfo(String _endpointType, int _port) {
endpointType = _endpointType;
port = _port;
} // ctor
} // class EndPointInfo
| .version 52 0
.class public final super EndPointInfo
.super java/lang/Object
.implements org/omg/CORBA/portable/IDLEntity
.field public endpointType Ljava/lang/String;
.field public port 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: aconst_null
L6: putfield Field EndPointInfo endpointType Ljava/lang/String;
L9: aload_0
L10: iconst_0
L11: putfield Field EndPointInfo port I
L14: return
L15:
.linenumbertable
L0 17
L4 13
L9 14
L14 18
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;I)V
.code stack 2 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aconst_null
L6: putfield Field EndPointInfo endpointType Ljava/lang/String;
L9: aload_0
L10: iconst_0
L11: putfield Field EndPointInfo port I
L14: aload_0
L15: aload_1
L16: putfield Field EndPointInfo endpointType Ljava/lang/String;
L19: aload_0
L20: iload_2
L21: putfield Field EndPointInfo port I
L24: return
L25:
.linenumbertable
L0 21
L4 13
L9 14
L14 22
L19 23
L24 24
.end linenumbertable
.end code
.end method
.sourcefile 'EndPointInfo.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 09:26: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 EndPointInfo_ESTest extends EndPointInfo_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
EndPointInfo endPointInfo0 = new EndPointInfo();
assertEquals(0, endPointInfo0.port);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
EndPointInfo endPointInfo0 = new EndPointInfo("", 1);
assertEquals(1, endPointInfo0.port);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 09:26: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 EndPointInfo_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "EndPointInfo";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpz5axceex");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(EndPointInfo_ESTest_scaffolding.class.getClassLoader() ,
"org.omg.CORBA.portable.IDLEntity",
"EndPointInfo"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(EndPointInfo_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"EndPointInfo"
);
}
}
| 1,047 |
Fraction | public class Fraction {
/*
* http://www.cs.berkeley.edu/~jrs/4/lec/15
*/
public int zah;
public int nen;
public int neuZah;
public int neuNen;
public int reduceNovy;
public Fraction() {}
/**
* @param zah
* @param nen
*/
public Fraction(int zah, int nen) {
this.zah = zah;
this.nen = nen;
}
@Override
public String toString() {
return "Bruch " + zah + ": " + nen + " oder " + neuZah + ": " + neuNen;
}
public Fraction multiply(Fraction ob, Fraction ob2) {
neuNen = ob.nen * ob2.nen;
neuZah = ob.zah * ob2.zah;
return new Fraction(neuZah, neuNen);
}
public void reduce() {
int divisor = GCD(neuZah, neuNen);
neuNen = neuNen / divisor;
neuZah = neuZah / divisor;
if (neuZah < 0) {
neuNen = -neuNen;
neuZah = -neuZah;
}
}
public int GCD(int neuZah, int neuNen) {
if (neuNen == 0) return neuZah;
return GCD(neuNen, neuZah % neuNen);
}
}
| .version 52 0
.class public super Fraction
.super java/lang/Object
.field public zah I
.field public nen I
.field public neuZah I
.field public neuNen I
.field public reduceNovy 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 14
L4 16
.end linenumbertable
.end code
.end method
.method public <init> : (II)V
.code stack 2 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iload_1
L6: putfield Field Fraction zah I
L9: aload_0
L10: iload_2
L11: putfield Field Fraction nen I
L14: return
L15:
.linenumbertable
L0 22
L4 23
L9 24
L14 25
.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 'Bruch '
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field Fraction zah I
L16: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L19: ldc ': '
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: aload_0
L25: getfield Field Fraction nen I
L28: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L31: ldc ' oder '
L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L36: aload_0
L37: getfield Field Fraction neuZah I
L40: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L43: ldc ': '
L45: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L48: aload_0
L49: getfield Field Fraction neuNen I
L52: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L55: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L58: areturn
L59:
.linenumbertable
L0 29
.end linenumbertable
.end code
.end method
.method public multiply : (LFraction;LFraction;)LFraction;
.code stack 4 locals 3
L0: aload_0
L1: aload_1
L2: getfield Field Fraction nen I
L5: aload_2
L6: getfield Field Fraction nen I
L9: imul
L10: putfield Field Fraction neuNen I
L13: aload_0
L14: aload_1
L15: getfield Field Fraction zah I
L18: aload_2
L19: getfield Field Fraction zah I
L22: imul
L23: putfield Field Fraction neuZah I
L26: new Fraction
L29: dup
L30: aload_0
L31: getfield Field Fraction neuZah I
L34: aload_0
L35: getfield Field Fraction neuNen I
L38: invokespecial Method Fraction <init> (II)V
L41: areturn
L42:
.linenumbertable
L0 33
L13 34
L26 35
.end linenumbertable
.end code
.end method
.method public reduce : ()V
.code stack 3 locals 2
L0: aload_0
L1: aload_0
L2: getfield Field Fraction neuZah I
L5: aload_0
L6: getfield Field Fraction neuNen I
L9: invokevirtual Method Fraction GCD (II)I
L12: istore_1
L13: aload_0
L14: aload_0
L15: getfield Field Fraction neuNen I
L18: iload_1
L19: idiv
L20: putfield Field Fraction neuNen I
L23: aload_0
L24: aload_0
L25: getfield Field Fraction neuZah I
L28: iload_1
L29: idiv
L30: putfield Field Fraction neuZah I
L33: aload_0
L34: getfield Field Fraction neuZah I
L37: ifge L58
L40: aload_0
L41: aload_0
L42: getfield Field Fraction neuNen I
L45: ineg
L46: putfield Field Fraction neuNen I
L49: aload_0
L50: aload_0
L51: getfield Field Fraction neuZah I
L54: ineg
L55: putfield Field Fraction neuZah I
.stack append Integer
L58: return
L59:
.linenumbertable
L0 39
L13 40
L23 41
L33 42
L40 43
L49 44
L58 46
.end linenumbertable
.end code
.end method
.method public GCD : (II)I
.code stack 4 locals 3
L0: iload_2
L1: ifne L6
L4: iload_1
L5: ireturn
.stack same
L6: aload_0
L7: iload_2
L8: iload_1
L9: iload_2
L10: irem
L11: invokevirtual Method Fraction GCD (II)I
L14: ireturn
L15:
.linenumbertable
L0 49
L4 50
L6 51
.end linenumbertable
.end code
.end method
.sourcefile 'Fraction.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 00:52: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 Fraction_ESTest extends Fraction_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Fraction fraction0 = new Fraction((-60675), (-60675));
Fraction fraction1 = new Fraction(0, (-60675));
fraction0.multiply(fraction1, fraction1);
fraction0.reduce();
assertEquals(1, fraction0.neuNen);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Fraction fraction0 = new Fraction(34183, 34183);
int int0 = fraction0.GCD(0, 0);
assertEquals(34183, fraction0.zah);
assertEquals(0, int0);
assertEquals(34183, fraction0.nen);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Fraction fraction0 = new Fraction((-60675), (-60675));
int int0 = fraction0.GCD((-66687), 1);
assertEquals(1, int0);
assertEquals((-60675), fraction0.zah);
assertEquals((-60675), fraction0.nen);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Fraction fraction0 = new Fraction((-60675), (-60675));
int int0 = fraction0.GCD((-1), 0);
assertEquals((-60675), fraction0.nen);
assertEquals((-60675), fraction0.zah);
assertEquals((-1), int0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Fraction fraction0 = new Fraction((-60675), (-60675));
Fraction fraction1 = fraction0.multiply(fraction0, fraction0);
fraction0.reduce();
fraction1.multiply(fraction0, fraction0);
fraction0.toString();
fraction0.multiply(fraction1, fraction0);
assertEquals((-613511671), fraction1.neuNen);
assertEquals(339083493, fraction0.neuZah);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Fraction fraction0 = new Fraction();
assertEquals(0, fraction0.neuZah);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 00:52: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 Fraction_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Fraction";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmprspes6hy");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Fraction_ESTest_scaffolding.class.getClassLoader() ,
"Fraction"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Fraction_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Fraction"
);
}
}
| 1,048 |
ApplicationService | /**
* Copyright 2006-2015 handu.com
*
* <p>Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file
* except in compliance with the License. You may obtain a copy of the License at
*
* <p>http://www.apache.org/licenses/LICENSE-2.0
*
* <p>Unless required by applicable law or agreed to in writing, software distributed under the
* License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either
* express or implied. See the License for the specific language governing permissions and
* limitations under the License.
*/
import java.io.Serializable;
public class ApplicationService implements Serializable {
/** */
private static final long serialVersionUID = -5468082346847524044L;
private Long id;
private String name;
/**
* @return the name
*/
public String getName() {
return name;
}
/**
* @param name the name to set
*/
public void setName(String name) {
this.name = name;
}
/**
* @return the id
*/
public Long getId() {
return id;
}
/**
* @param id the id to set
*/
public void setId(Long id) {
this.id = id;
}
}
| .version 52 0
.class public super ApplicationService
.super java/lang/Object
.implements java/io/Serializable
.field private static final serialVersionUID J = -5468082346847524044L
.field private id Ljava/lang/Long;
.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 20
.end linenumbertable
.end code
.end method
.method public getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ApplicationService name Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 33
.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 ApplicationService name Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 39
L5 40
.end linenumbertable
.end code
.end method
.method public getId : ()Ljava/lang/Long;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ApplicationService id Ljava/lang/Long;
L4: areturn
L5:
.linenumbertable
L0 45
.end linenumbertable
.end code
.end method
.method public setId : (Ljava/lang/Long;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field ApplicationService id Ljava/lang/Long;
L5: return
L6:
.linenumbertable
L0 51
L5 52
.end linenumbertable
.end code
.end method
.sourcefile 'ApplicationService.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 13:24:50 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class ApplicationService_ESTest extends ApplicationService_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ApplicationService applicationService0 = new ApplicationService();
applicationService0.setName("X)$h7EKa&M");
String string0 = applicationService0.getName();
assertEquals("X)$h7EKa&M", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
ApplicationService applicationService0 = new ApplicationService();
applicationService0.setName("");
String string0 = applicationService0.getName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
ApplicationService applicationService0 = new ApplicationService();
Long long0 = new Long(1L);
applicationService0.setId(long0);
Long long1 = applicationService0.getId();
assertEquals(1L, (long)long1);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
ApplicationService applicationService0 = new ApplicationService();
Long long0 = new Long(0L);
applicationService0.setId(long0);
Long long1 = applicationService0.getId();
assertEquals(0L, (long)long1);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
ApplicationService applicationService0 = new ApplicationService();
Long long0 = new Long((-28548L));
applicationService0.setId(long0);
Long long1 = applicationService0.getId();
assertEquals((-28548L), (long)long1);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
ApplicationService applicationService0 = new ApplicationService();
Long long0 = new Long(33687L);
applicationService0.setId(long0);
Long long1 = applicationService0.getId();
assertEquals(33687L, (long)long1);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
ApplicationService applicationService0 = new ApplicationService();
Long long0 = applicationService0.getId();
assertNull(long0);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
ApplicationService applicationService0 = new ApplicationService();
String string0 = applicationService0.getName();
assertNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 13:24:50 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class ApplicationService_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ApplicationService";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpykw7ern2");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ApplicationService_ESTest_scaffolding.class.getClassLoader() ,
"ApplicationService"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ApplicationService_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ApplicationService"
);
}
}
| 1,049 |
Kernel | /**
* The kernel of the OS.
*
* @author Liang Bizhi
*/
public class Kernel {}
| .version 52 0
.class public super Kernel
.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
.sourcefile 'Kernel.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 16:47:05 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Kernel_ESTest extends Kernel_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Kernel kernel0 = new Kernel();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 16:47: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 Kernel_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Kernel";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp4ob_5xkq");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Kernel_ESTest_scaffolding.class.getClassLoader() ,
"Kernel"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Kernel_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Kernel"
);
}
}
| 1,050 |
BuildConfig | /** Automatically generated file. DO NOT MODIFY */
public final class BuildConfig {
public static final boolean DEBUG = Boolean.parseBoolean("true");
public static final String APPLICATION_ID = "br.edu.ifpb";
public static final String BUILD_TYPE = "debug";
public static final String FLAVOR = "";
public static final int VERSION_CODE = 1;
public static final String VERSION_NAME = "";
}
| .version 52 0
.class public final super BuildConfig
.super java/lang/Object
.field public static final DEBUG Z
.field public static final APPLICATION_ID Ljava/lang/String; = 'br.edu.ifpb'
.field public static final BUILD_TYPE Ljava/lang/String; = 'debug'
.field public static final FLAVOR Ljava/lang/String; = ''
.field public static final VERSION_CODE I = 1
.field public static final VERSION_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 static <clinit> : ()V
.code stack 1 locals 0
L0: ldc 'true'
L2: invokestatic Method java/lang/Boolean parseBoolean (Ljava/lang/String;)Z
L5: putstatic Field BuildConfig DEBUG Z
L8: return
L9:
.linenumbertable
L0 7
.end linenumbertable
.end code
.end method
.sourcefile 'BuildConfig.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 14:02:15 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class BuildConfig_ESTest extends BuildConfig_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
BuildConfig buildConfig0 = new BuildConfig();
assertEquals(1, BuildConfig.VERSION_CODE);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 14:02: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 BuildConfig_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "BuildConfig";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmplx0vg0ni");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BuildConfig_ESTest_scaffolding.class.getClassLoader() ,
"BuildConfig"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BuildConfig_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"BuildConfig"
);
}
}
| 1,051 |
ContainerSpecification | /*
* Copyright 2012-2013 E.Hooijmeijer
*
* 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.
*/
/**
* ContainerSpec holds the specification of a new container.
*
* @author E.Hooijmeijer
*/
public class ContainerSpecification {
private String name;
private boolean mustAuth;
/**
* creates a new container specification.
*
* @param name the name of the container.
* @param privateContainer true if its private.
*/
public ContainerSpecification(String name, boolean privateContainer) {
this.name = name;
this.mustAuth = privateContainer;
}
public String getName() {
return name;
}
public boolean isPrivateContainer() {
return mustAuth;
}
}
| .version 52 0
.class public super ContainerSpecification
.super java/lang/Object
.field private name Ljava/lang/String;
.field private mustAuth Z
.method public <init> : (Ljava/lang/String;Z)V
.code stack 2 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field ContainerSpecification name Ljava/lang/String;
L9: aload_0
L10: iload_2
L11: putfield Field ContainerSpecification mustAuth Z
L14: return
L15:
.linenumbertable
L0 32
L4 33
L9 34
L14 35
.end linenumbertable
.end code
.end method
.method public getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ContainerSpecification name Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 38
.end linenumbertable
.end code
.end method
.method public isPrivateContainer : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ContainerSpecification mustAuth Z
L4: ireturn
L5:
.linenumbertable
L0 42
.end linenumbertable
.end code
.end method
.sourcefile 'ContainerSpecification.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 04:42: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 ContainerSpecification_ESTest extends ContainerSpecification_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ContainerSpecification containerSpecification0 = new ContainerSpecification((String) null, true);
boolean boolean0 = containerSpecification0.isPrivateContainer();
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
ContainerSpecification containerSpecification0 = new ContainerSpecification((String) null, true);
containerSpecification0.getName();
assertTrue(containerSpecification0.isPrivateContainer());
}
@Test(timeout = 4000)
public void test2() throws Throwable {
ContainerSpecification containerSpecification0 = new ContainerSpecification("ContainerSpecification", false);
containerSpecification0.getName();
assertFalse(containerSpecification0.isPrivateContainer());
}
@Test(timeout = 4000)
public void test3() throws Throwable {
ContainerSpecification containerSpecification0 = new ContainerSpecification("", false);
containerSpecification0.getName();
assertFalse(containerSpecification0.isPrivateContainer());
}
@Test(timeout = 4000)
public void test4() throws Throwable {
ContainerSpecification containerSpecification0 = new ContainerSpecification("", false);
boolean boolean0 = containerSpecification0.isPrivateContainer();
assertFalse(boolean0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 04:42: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 ContainerSpecification_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ContainerSpecification";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp64yn__hq");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ContainerSpecification_ESTest_scaffolding.class.getClassLoader() ,
"ContainerSpecification"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ContainerSpecification_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ContainerSpecification"
);
}
}
| 1,052 |
GraphicsUtils | import java.awt.Color;
import java.awt.Graphics;
import java.awt.Rectangle;
public class GraphicsUtils {
public static void drawTextOutlined(Graphics g, Rectangle rec, String s, Color fg, Color bg) {
g.setColor(bg);
g.drawString(s, rec.x - 1, rec.y - 1);
g.drawString(s, rec.x - 1, rec.y + 1);
g.drawString(s, rec.x + 1, rec.y - 1);
g.drawString(s, rec.x + 1, rec.y + 1);
g.setColor(fg);
g.drawString(s, rec.x, rec.y);
}
}
| .version 52 0
.class public super GraphicsUtils
.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 drawTextOutlined : (Ljava/awt/Graphics;Ljava/awt/Rectangle;Ljava/lang/String;Ljava/awt/Color;Ljava/awt/Color;)V
.code stack 5 locals 5
L0: aload_0
L1: aload 4
L3: invokevirtual Method java/awt/Graphics setColor (Ljava/awt/Color;)V
L6: aload_0
L7: aload_2
L8: aload_1
L9: getfield Field java/awt/Rectangle x I
L12: iconst_1
L13: isub
L14: aload_1
L15: getfield Field java/awt/Rectangle y I
L18: iconst_1
L19: isub
L20: invokevirtual Method java/awt/Graphics drawString (Ljava/lang/String;II)V
L23: aload_0
L24: aload_2
L25: aload_1
L26: getfield Field java/awt/Rectangle x I
L29: iconst_1
L30: isub
L31: aload_1
L32: getfield Field java/awt/Rectangle y I
L35: iconst_1
L36: iadd
L37: invokevirtual Method java/awt/Graphics drawString (Ljava/lang/String;II)V
L40: aload_0
L41: aload_2
L42: aload_1
L43: getfield Field java/awt/Rectangle x I
L46: iconst_1
L47: iadd
L48: aload_1
L49: getfield Field java/awt/Rectangle y I
L52: iconst_1
L53: isub
L54: invokevirtual Method java/awt/Graphics drawString (Ljava/lang/String;II)V
L57: aload_0
L58: aload_2
L59: aload_1
L60: getfield Field java/awt/Rectangle x I
L63: iconst_1
L64: iadd
L65: aload_1
L66: getfield Field java/awt/Rectangle y I
L69: iconst_1
L70: iadd
L71: invokevirtual Method java/awt/Graphics drawString (Ljava/lang/String;II)V
L74: aload_0
L75: aload_3
L76: invokevirtual Method java/awt/Graphics setColor (Ljava/awt/Color;)V
L79: aload_0
L80: aload_2
L81: aload_1
L82: getfield Field java/awt/Rectangle x I
L85: aload_1
L86: getfield Field java/awt/Rectangle y I
L89: invokevirtual Method java/awt/Graphics drawString (Ljava/lang/String;II)V
L92: return
L93:
.linenumbertable
L0 10
L6 11
L23 12
L40 13
L57 14
L74 15
L79 16
L92 17
.end linenumbertable
.end code
.end method
.sourcefile 'GraphicsUtils.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 02:46:54 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.awt.Color;
import java.awt.Graphics;
import java.awt.Rectangle;
import javax.swing.table.JTableHeader;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class GraphicsUtils_ESTest extends GraphicsUtils_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
GraphicsUtils graphicsUtils0 = new GraphicsUtils();
}
@Test(timeout = 4000)
public void test1() throws Throwable {
JTableHeader jTableHeader0 = new JTableHeader();
Rectangle rectangle0 = jTableHeader0.getHeaderRect(1);
// Undeclared exception!
try {
GraphicsUtils.drawTextOutlined((Graphics) null, rectangle0, "", (Color) null, (Color) null);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("GraphicsUtils", e);
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 02:46:54 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class GraphicsUtils_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "GraphicsUtils";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp76v68rvg");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(GraphicsUtils_ESTest_scaffolding.class.getClassLoader() ,
"GraphicsUtils"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(GraphicsUtils_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"GraphicsUtils"
);
}
}
| 1,053 |
BuilderException | /*
* Copyright 2012-2020 the original author or authors.
*
* 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
*
* https://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.
*/
/**
* Exception thrown to indicate a Builder error.
*
* @author Scott Frederick
* @since 2.3.0
*/
public class BuilderException extends RuntimeException {
private final String operation;
private final int statusCode;
BuilderException(String operation, int statusCode) {
super(buildMessage(operation, statusCode));
this.operation = operation;
this.statusCode = statusCode;
}
/**
* Return the Builder operation that failed.
*
* @return the operation description
*/
public String getOperation() {
return this.operation;
}
/**
* Return the status code returned from a Builder operation.
*
* @return the statusCode the status code
*/
public int getStatusCode() {
return this.statusCode;
}
private static String buildMessage(String operation, int statusCode) {
StringBuilder message = new StringBuilder("Builder");
if (operation != null && !operation.isEmpty()) {
message.append(" lifecycle '").append(operation).append("'");
}
message.append(" failed with status code ").append(statusCode);
return message.toString();
}
}
| .version 52 0
.class public super BuilderException
.super java/lang/RuntimeException
.field private final operation Ljava/lang/String;
.field private final statusCode I
.method <init> : (Ljava/lang/String;I)V
.code stack 3 locals 3
L0: aload_0
L1: aload_1
L2: iload_2
L3: invokestatic Method BuilderException buildMessage (Ljava/lang/String;I)Ljava/lang/String;
L6: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V
L9: aload_0
L10: aload_1
L11: putfield Field BuilderException operation Ljava/lang/String;
L14: aload_0
L15: iload_2
L16: putfield Field BuilderException statusCode I
L19: return
L20:
.linenumbertable
L0 32
L9 33
L14 34
L19 35
.end linenumbertable
.end code
.end method
.method public getOperation : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BuilderException operation Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 42
.end linenumbertable
.end code
.end method
.method public getStatusCode : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BuilderException statusCode I
L4: ireturn
L5:
.linenumbertable
L0 50
.end linenumbertable
.end code
.end method
.method private static buildMessage : (Ljava/lang/String;I)Ljava/lang/String;
.code stack 3 locals 3
L0: new java/lang/StringBuilder
L3: dup
L4: ldc 'Builder'
L6: invokespecial Method java/lang/StringBuilder <init> (Ljava/lang/String;)V
L9: astore_2
L10: aload_0
L11: ifnull L37
L14: aload_0
L15: invokevirtual Method java/lang/String isEmpty ()Z
L18: ifne L37
L21: aload_2
L22: ldc " lifecycle '"
L24: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L27: aload_0
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: pop
.stack append Object java/lang/StringBuilder
L37: aload_2
L38: ldc ' failed with status code '
L40: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L43: iload_1
L44: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L47: pop
L48: aload_2
L49: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L52: areturn
L53:
.linenumbertable
L0 54
L10 55
L21 56
L37 58
L48 59
.end linenumbertable
.end code
.end method
.sourcefile 'BuilderException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 07:47: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 BuilderException_ESTest extends BuilderException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
BuilderException builderException0 = new BuilderException("NHT9'!'0-m!.E", 0);
int int0 = builderException0.getStatusCode();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
BuilderException builderException0 = new BuilderException("", 29982);
int int0 = builderException0.getStatusCode();
assertEquals(29982, int0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
BuilderException builderException0 = new BuilderException("", 8762);
String string0 = builderException0.getOperation();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
BuilderException builderException0 = new BuilderException((String) null, 0);
String string0 = builderException0.getOperation();
assertNull(string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
BuilderException builderException0 = new BuilderException("", (-12232));
int int0 = builderException0.getStatusCode();
assertEquals((-12232), int0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
BuilderException builderException0 = new BuilderException("'", 0);
String string0 = builderException0.getOperation();
assertEquals("'", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 07:47: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 BuilderException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "BuilderException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp3ef5b0qi");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BuilderException_ESTest_scaffolding.class.getClassLoader() ,
"BuilderException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BuilderException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"BuilderException"
);
}
}
| 1,054 |
Tesauro | import java.util.HashMap;
import java.util.HashSet;
import java.util.Set;
/** Modela un diccionario en el que cada palabra tiene asociados una serie de sinónimos */
public class Tesauro {
// a cada clave se le asocia un conjunto de sinónimos
// los sinónimos no se repiten
private HashMap<String, HashSet<String>> tesauro;
/** Constructor de la clase Tesauro */
public Tesauro() {
tesauro = new HashMap<>();
}
/**
* @param palabra la palabra a añadir sinonimo el sinónimo de la palabra
*/
public void añadirSinonimo(String palabra, String sinonimo) {
HashSet<String> sinonimos = tesauro.get(palabra);
// if(sinonimos.equals(null)){
if (sinonimos == null) {
sinonimos = new HashSet<>();
sinonimos.add(sinonimo);
} else {
sinonimos.add(sinonimo);
}
tesauro.put(palabra, sinonimos);
}
/**
* añade una palabra junto con todos sus sinónimos
*
* @param linea contiene la palabra y sus sinónimos el separador entre palabras es el blanco la
* primera palabra es la clave, el resto sinónimos
*/
public void añadirSinonimo(String linea) {
String[] sinonimos = linea.split(" ");
for (int i = 1; i < sinonimos.length; i++) {
añadirSinonimo(sinonimos[0], sinonimos[i]);
}
}
/**
* @param sin el sinónimo a borrar de cada conjunto de sinónimos
* @return el conjunto de claves en las que estaba el sinónimo borrado. Si no se borró ninguno
* devuelve el conjunto vacío
*/
public HashSet<String> borrarSinonimo(String sin) {
HashSet<String> clavesRetornadas = new HashSet<>();
Set<String> claves = tesauro.keySet();
for (String clave : claves) {
if (tesauro.get(clave).remove(sin)) {
clavesRetornadas.add(clave);
}
}
return clavesRetornadas;
}
/**
* @param representación textual del map
* @return
*/
public String toString() {
Set<String> claves = tesauro.keySet();
StringBuilder sb = new StringBuilder();
for (String clave : claves) {
sb.append(clave);
sb.append(": ");
sb.append(tesauro.get(clave).toString());
sb.append('\n');
}
return sb.toString();
}
/** Visualiza el tesauro */
public void escribirTesauro() {
System.out.println(toString());
}
}
| .version 52 0
.class public super Tesauro
.super java/lang/Object
.field private tesauro Ljava/util/HashMap; .fieldattributes
.signature Ljava/util/HashMap<Ljava/lang/String;Ljava/util/HashSet<Ljava/lang/String;>;>;
.end fieldattributes
.method public <init> : ()V
.code stack 3 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: new java/util/HashMap
L8: dup
L9: invokespecial Method java/util/HashMap <init> ()V
L12: putfield Field Tesauro tesauro Ljava/util/HashMap;
L15: return
L16:
.linenumbertable
L0 21
L4 22
L15 23
.end linenumbertable
.end code
.end method
.method public 'añadirSinonimo' : (Ljava/lang/String;Ljava/lang/String;)V
.code stack 3 locals 4
L0: aload_0
L1: getfield Field Tesauro tesauro Ljava/util/HashMap;
L4: aload_1
L5: invokevirtual Method java/util/HashMap get (Ljava/lang/Object;)Ljava/lang/Object;
L8: checkcast java/util/HashSet
L11: astore_3
L12: aload_3
L13: ifnonnull L33
L16: new java/util/HashSet
L19: dup
L20: invokespecial Method java/util/HashSet <init> ()V
L23: astore_3
L24: aload_3
L25: aload_2
L26: invokevirtual Method java/util/HashSet add (Ljava/lang/Object;)Z
L29: pop
L30: goto L39
.stack append Object java/util/HashSet
L33: aload_3
L34: aload_2
L35: invokevirtual Method java/util/HashSet add (Ljava/lang/Object;)Z
L38: pop
.stack same
L39: aload_0
L40: getfield Field Tesauro tesauro Ljava/util/HashMap;
L43: aload_1
L44: aload_3
L45: invokevirtual Method java/util/HashMap put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object;
L48: pop
L49: return
L50:
.linenumbertable
L0 32
L12 34
L16 35
L24 36
L33 38
L39 41
L49 42
.end linenumbertable
.end code
.end method
.method public 'añadirSinonimo' : (Ljava/lang/String;)V
.code stack 4 locals 4
L0: aload_1
L1: ldc ' '
L3: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String;
L6: astore_2
L7: iconst_1
L8: istore_3
.stack append Object [Ljava/lang/String; Integer
L9: iload_3
L10: aload_2
L11: arraylength
L12: if_icmpge L31
L15: aload_0
L16: aload_2
L17: iconst_0
L18: aaload
L19: aload_2
L20: iload_3
L21: aaload
L22: invokevirtual Method Tesauro 'añadirSinonimo' (Ljava/lang/String;Ljava/lang/String;)V
L25: iinc 3 1
L28: goto L9
.stack chop 1
L31: return
L32:
.linenumbertable
L0 52
L7 53
L15 54
L25 53
L31 56
.end linenumbertable
.end code
.end method
.method public borrarSinonimo : (Ljava/lang/String;)Ljava/util/HashSet;
.code stack 2 locals 6
L0: new java/util/HashSet
L3: dup
L4: invokespecial Method java/util/HashSet <init> ()V
L7: astore_2
L8: aload_0
L9: getfield Field Tesauro tesauro Ljava/util/HashMap;
L12: invokevirtual Method java/util/HashMap keySet ()Ljava/util/Set;
L15: astore_3
L16: aload_3
L17: invokeinterface InterfaceMethod java/util/Set iterator ()Ljava/util/Iterator; 1
L22: astore 4
.stack append Object java/util/HashSet Object java/util/Set Object java/util/Iterator
L24: aload 4
L26: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1
L31: ifeq L75
L34: aload 4
L36: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1
L41: checkcast java/lang/String
L44: astore 5
L46: aload_0
L47: getfield Field Tesauro tesauro Ljava/util/HashMap;
L50: aload 5
L52: invokevirtual Method java/util/HashMap get (Ljava/lang/Object;)Ljava/lang/Object;
L55: checkcast java/util/HashSet
L58: aload_1
L59: invokevirtual Method java/util/HashSet remove (Ljava/lang/Object;)Z
L62: ifeq L72
L65: aload_2
L66: aload 5
L68: invokevirtual Method java/util/HashSet add (Ljava/lang/Object;)Z
L71: pop
.stack same
L72: goto L24
.stack chop 1
L75: aload_2
L76: areturn
L77:
.linenumbertable
L0 68
L8 69
L16 71
L46 72
L65 73
L72 75
L75 77
.end linenumbertable
.end code
.signature (Ljava/lang/String;)Ljava/util/HashSet<Ljava/lang/String;>;
.end method
.method public toString : ()Ljava/lang/String;
.code stack 3 locals 5
L0: aload_0
L1: getfield Field Tesauro tesauro Ljava/util/HashMap;
L4: invokevirtual Method java/util/HashMap keySet ()Ljava/util/Set;
L7: astore_1
L8: new java/lang/StringBuilder
L11: dup
L12: invokespecial Method java/lang/StringBuilder <init> ()V
L15: astore_2
L16: aload_1
L17: invokeinterface InterfaceMethod java/util/Set iterator ()Ljava/util/Iterator; 1
L22: astore_3
.stack append Object java/util/Set Object java/lang/StringBuilder Object java/util/Iterator
L23: aload_3
L24: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1
L29: ifeq L87
L32: aload_3
L33: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1
L38: checkcast java/lang/String
L41: astore 4
L43: aload_2
L44: aload 4
L46: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L49: pop
L50: aload_2
L51: ldc ': '
L53: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L56: pop
L57: aload_2
L58: aload_0
L59: getfield Field Tesauro tesauro Ljava/util/HashMap;
L62: aload 4
L64: invokevirtual Method java/util/HashMap get (Ljava/lang/Object;)Ljava/lang/Object;
L67: checkcast java/util/HashSet
L70: invokevirtual Method java/util/HashSet toString ()Ljava/lang/String;
L73: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L76: pop
L77: aload_2
L78: bipush 10
L80: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L83: pop
L84: goto L23
.stack chop 1
L87: aload_2
L88: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L91: areturn
L92:
.linenumbertable
L0 87
L8 88
L16 89
L43 90
L50 91
L57 92
L77 93
L84 94
L87 96
.end linenumbertable
.end code
.end method
.method public escribirTesauro : ()V
.code stack 2 locals 1
L0: getstatic Field java/lang/System out Ljava/io/PrintStream;
L3: aload_0
L4: invokevirtual Method Tesauro toString ()Ljava/lang/String;
L7: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L10: return
L11:
.linenumbertable
L0 105
L10 106
.end linenumbertable
.end code
.end method
.sourcefile 'Tesauro.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 17:55:13 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.util.HashSet;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Tesauro_ESTest extends Tesauro_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Tesauro tesauro0 = new Tesauro();
tesauro0.añadirSinonimo(" ");
tesauro0.añadirSinonimo("", "]#");
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Tesauro tesauro0 = new Tesauro();
tesauro0.añadirSinonimo("Eo1} HDiQ");
tesauro0.añadirSinonimo("", "");
tesauro0.toString();
tesauro0.borrarSinonimo("rA|");
tesauro0.añadirSinonimo("", "");
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Tesauro tesauro0 = new Tesauro();
String string0 = tesauro0.toString();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Tesauro tesauro0 = new Tesauro();
tesauro0.añadirSinonimo("", "");
HashSet<String> hashSet0 = tesauro0.borrarSinonimo("");
assertTrue(hashSet0.contains(""));
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Tesauro tesauro0 = new Tesauro();
tesauro0.añadirSinonimo("");
tesauro0.escribirTesauro();
tesauro0.añadirSinonimo("Eo1} HDiQ");
HashSet<String> hashSet0 = tesauro0.borrarSinonimo("rA|");
assertTrue(hashSet0.isEmpty());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 17:55: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 Tesauro_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Tesauro";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp380zdrzh");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Tesauro_ESTest_scaffolding.class.getClassLoader() ,
"Tesauro"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Tesauro_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Tesauro"
);
}
}
| 1,055 |
ObjectMatcherPropertyBrokenTest | public class ObjectMatcherPropertyBrokenTest {
// TODO: property(null)
// TODO: property(пропертя от другого класса)
// TODO: property с методом, который бросает исключение
}
| .version 52 0
.class public super ObjectMatcherPropertyBrokenTest
.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 'ObjectMatcherPropertyBrokenTest.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 14:06: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 ObjectMatcherPropertyBrokenTest_ESTest extends ObjectMatcherPropertyBrokenTest_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ObjectMatcherPropertyBrokenTest objectMatcherPropertyBrokenTest0 = new ObjectMatcherPropertyBrokenTest();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 14:06: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 ObjectMatcherPropertyBrokenTest_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ObjectMatcherPropertyBrokenTest";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpzb_odub6");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ObjectMatcherPropertyBrokenTest_ESTest_scaffolding.class.getClassLoader() ,
"ObjectMatcherPropertyBrokenTest"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ObjectMatcherPropertyBrokenTest_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ObjectMatcherPropertyBrokenTest"
);
}
}
| 1,056 |
WebSocketConnectionNotFoundException | public class WebSocketConnectionNotFoundException extends Exception {
public WebSocketConnectionNotFoundException(String message) {
super(message);
}
}
| .version 52 0
.class public super WebSocketConnectionNotFoundException
.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 'WebSocketConnectionNotFoundException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 21:31: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 WebSocketConnectionNotFoundException_ESTest extends WebSocketConnectionNotFoundException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
WebSocketConnectionNotFoundException webSocketConnectionNotFoundException0 = new WebSocketConnectionNotFoundException("?wP[Ce{l=tlQ-T!{OsS");
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 21:31: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 WebSocketConnectionNotFoundException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "WebSocketConnectionNotFoundException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpkryys02t");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(WebSocketConnectionNotFoundException_ESTest_scaffolding.class.getClassLoader() ,
"WebSocketConnectionNotFoundException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(WebSocketConnectionNotFoundException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"WebSocketConnectionNotFoundException"
);
}
}
| 1,057 |
GasStation | /** Created by wangxiaoyi on 15/12/8. */
public class GasStation {
/**
* 直接模拟 O(N)
*
* @param igas
* @param icost
* @return
*/
public int canCompleteCircuit1(int[] igas, int[] icost) {
int n = igas.length;
int[] gas = new int[2 * n];
int[] cost = new int[2 * n];
System.arraycopy(igas, 0, gas, 0, n);
System.arraycopy(igas, 0, gas, n, n);
System.arraycopy(icost, 0, cost, 0, n);
System.arraycopy(icost, 0, cost, n, n);
for (int i = 0; i < n; ++i) {
int hasGas = 0;
boolean canTravel = true;
int j = i;
for (; j <= i + n; ++j) {
hasGas += gas[j];
hasGas -= cost[j];
if (hasGas < 0) {
canTravel = false;
break;
}
}
if (canTravel) return i;
else {
i = j; // i 更新为期第一个不能抵达的station
}
}
return -1;
}
/**
* 别人的算法
*
* @param gas
* @param cost
* @return
*/
public int canCompleteCircuit(int[] gas, int[] cost) {
int sumGas = 0;
int sumCost = 0;
int start = 0;
int tank = 0;
for (int i = 0; i < gas.length; i++) {
sumGas += gas[i];
sumCost += cost[i];
tank += gas[i] - cost[i];
if (tank < 0) {
start = i + 1;
tank = 0;
}
}
if (sumGas < sumCost) {
return -1;
} else {
return start;
}
}
public static void main(String[] args) {
int ans = new GasStation().canCompleteCircuit1(new int[] {1, 2, 3, 3}, new int[] {2, 1, 5, 1});
System.out.println(ans);
}
}
| .version 52 0
.class public super GasStation
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 6
.end linenumbertable
.end code
.end method
.method public canCompleteCircuit1 : ([I[I)I
.code stack 5 locals 10
L0: aload_1
L1: arraylength
L2: istore_3
L3: iconst_2
L4: iload_3
L5: imul
L6: newarray int
L8: astore 4
L10: iconst_2
L11: iload_3
L12: imul
L13: newarray int
L15: astore 5
L17: aload_1
L18: iconst_0
L19: aload 4
L21: iconst_0
L22: iload_3
L23: invokestatic Method java/lang/System arraycopy (Ljava/lang/Object;ILjava/lang/Object;II)V
L26: aload_1
L27: iconst_0
L28: aload 4
L30: iload_3
L31: iload_3
L32: invokestatic Method java/lang/System arraycopy (Ljava/lang/Object;ILjava/lang/Object;II)V
L35: aload_2
L36: iconst_0
L37: aload 5
L39: iconst_0
L40: iload_3
L41: invokestatic Method java/lang/System arraycopy (Ljava/lang/Object;ILjava/lang/Object;II)V
L44: aload_2
L45: iconst_0
L46: aload 5
L48: iload_3
L49: iload_3
L50: invokestatic Method java/lang/System arraycopy (Ljava/lang/Object;ILjava/lang/Object;II)V
L53: iconst_0
L54: istore 6
.stack full
locals Object GasStation Object [I Object [I Integer Object [I Object [I Integer
stack
.end stack
L56: iload 6
L58: iload_3
L59: if_icmpge L136
L62: iconst_0
L63: istore 7
L65: iconst_1
L66: istore 8
L68: iload 6
L70: istore 9
.stack append Integer Integer Integer
L72: iload 9
L74: iload 6
L76: iload_3
L77: iadd
L78: if_icmpgt L118
L81: iload 7
L83: aload 4
L85: iload 9
L87: iaload
L88: iadd
L89: istore 7
L91: iload 7
L93: aload 5
L95: iload 9
L97: iaload
L98: isub
L99: istore 7
L101: iload 7
L103: ifge L112
L106: iconst_0
L107: istore 8
L109: goto L118
.stack same
L112: iinc 9 1
L115: goto L72
.stack same
L118: iload 8
L120: ifeq L126
L123: iload 6
L125: ireturn
.stack same
L126: iload 9
L128: istore 6
L130: iinc 6 1
L133: goto L56
.stack full
locals Object GasStation Object [I Object [I Integer Object [I Object [I
stack
.end stack
L136: iconst_m1
L137: ireturn
L138:
.linenumbertable
L0 16
L3 17
L10 18
L17 20
L26 21
L35 22
L44 23
L53 25
L62 26
L65 27
L68 28
L72 29
L81 30
L91 31
L101 32
L106 33
L109 34
L112 29
L118 37
L126 39
L130 25
L136 42
.end linenumbertable
.end code
.end method
.method public canCompleteCircuit : ([I[I)I
.code stack 4 locals 8
L0: iconst_0
L1: istore_3
L2: iconst_0
L3: istore 4
L5: iconst_0
L6: istore 5
L8: iconst_0
L9: istore 6
L11: iconst_0
L12: istore 7
.stack full
locals Object GasStation Object [I Object [I Integer Integer Integer Integer Integer
stack
.end stack
L14: iload 7
L16: aload_1
L17: arraylength
L18: if_icmpge L71
L21: iload_3
L22: aload_1
L23: iload 7
L25: iaload
L26: iadd
L27: istore_3
L28: iload 4
L30: aload_2
L31: iload 7
L33: iaload
L34: iadd
L35: istore 4
L37: iload 6
L39: aload_1
L40: iload 7
L42: iaload
L43: aload_2
L44: iload 7
L46: iaload
L47: isub
L48: iadd
L49: istore 6
L51: iload 6
L53: ifge L65
L56: iload 7
L58: iconst_1
L59: iadd
L60: istore 5
L62: iconst_0
L63: istore 6
.stack same
L65: iinc 7 1
L68: goto L14
.stack chop 1
L71: iload_3
L72: iload 4
L74: if_icmpge L79
L77: iconst_m1
L78: ireturn
.stack same
L79: iload 5
L81: ireturn
L82:
.linenumbertable
L0 54
L2 55
L5 56
L8 57
L11 58
L21 59
L28 60
L37 61
L51 62
L56 63
L62 64
L65 58
L71 67
L77 68
L79 70
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 6 locals 2
L0: new GasStation
L3: dup
L4: invokespecial Method GasStation <init> ()V
L7: iconst_4
L8: newarray int
L10: dup
L11: iconst_0
L12: iconst_1
L13: iastore
L14: dup
L15: iconst_1
L16: iconst_2
L17: iastore
L18: dup
L19: iconst_2
L20: iconst_3
L21: iastore
L22: dup
L23: iconst_3
L24: iconst_3
L25: iastore
L26: iconst_4
L27: newarray int
L29: dup
L30: iconst_0
L31: iconst_2
L32: iastore
L33: dup
L34: iconst_1
L35: iconst_1
L36: iastore
L37: dup
L38: iconst_2
L39: iconst_5
L40: iastore
L41: dup
L42: iconst_3
L43: iconst_1
L44: iastore
L45: invokevirtual Method GasStation canCompleteCircuit1 ([I[I)I
L48: istore_1
L49: getstatic Field java/lang/System out Ljava/io/PrintStream;
L52: iload_1
L53: invokevirtual Method java/io/PrintStream println (I)V
L56: return
L57:
.linenumbertable
L0 77
L49 78
L56 79
.end linenumbertable
.end code
.end method
.sourcefile 'GasStation.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 09:01:47 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class GasStation_ESTest extends GasStation_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
GasStation gasStation0 = new GasStation();
int[] intArray0 = new int[9];
intArray0[0] = 26089;
intArray0[1] = (-1);
intArray0[2] = 52537;
intArray0[3] = (-7428);
intArray0[4] = 760;
intArray0[5] = 0;
intArray0[6] = 0;
intArray0[7] = 0;
intArray0[8] = 0;
int[] intArray1 = new int[8];
intArray1[0] = 0;
intArray1[1] = 52537;
intArray1[2] = (-7428);
intArray1[3] = (-1);
intArray1[4] = (-2998);
intArray1[5] = 1;
intArray1[6] = (-1);
intArray1[7] = 0;
// Undeclared exception!
try {
gasStation0.canCompleteCircuit(intArray0, intArray1);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 8
//
verifyException("GasStation", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
String[] stringArray0 = new String[5];
stringArray0[0] = "";
stringArray0[1] = "4l@@;A:FQ";
stringArray0[2] = "";
stringArray0[3] = "";
stringArray0[4] = "~tT0o2BePcH3#VV";
GasStation.main(stringArray0);
GasStation gasStation0 = new GasStation();
int[] intArray0 = new int[8];
intArray0[0] = 5497;
intArray0[1] = 0;
intArray0[2] = (-1);
intArray0[3] = 0;
intArray0[4] = 1;
intArray0[5] = (-48660);
intArray0[6] = 0;
intArray0[7] = 0;
gasStation0.canCompleteCircuit1(intArray0, intArray0);
GasStation.main(stringArray0);
int int0 = gasStation0.canCompleteCircuit1(intArray0, intArray0);
assertEquals(0, int0);
int[] intArray1 = new int[8];
intArray1[0] = 0;
intArray1[1] = 0;
intArray1[2] = 0;
intArray1[3] = 0;
intArray1[4] = (-1);
intArray1[5] = 0;
intArray1[6] = 0;
intArray1[7] = (-1);
int int1 = gasStation0.canCompleteCircuit1(intArray0, intArray1);
assertFalse(int1 == int0);
assertEquals((-1), int1);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
GasStation gasStation0 = new GasStation();
int[] intArray0 = new int[3];
GasStation.main((String[]) null);
intArray0[0] = (-99801);
String[] stringArray0 = new String[0];
GasStation.main(stringArray0);
intArray0[1] = 65873;
intArray0[2] = 37849;
int int0 = gasStation0.canCompleteCircuit(intArray0, intArray0);
int[] intArray1 = new int[4];
GasStation.main(stringArray0);
GasStation.main((String[]) null);
intArray1[0] = (-99801);
intArray1[1] = (-99801);
intArray1[2] = (-99801);
intArray1[3] = 37849;
int int1 = gasStation0.canCompleteCircuit(intArray0, intArray1);
assertTrue(int1 == int0);
GasStation.main(stringArray0);
gasStation0.canCompleteCircuit(intArray1, intArray1);
int int2 = gasStation0.canCompleteCircuit(intArray1, intArray1);
assertEquals(0, int2);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
GasStation gasStation0 = new GasStation();
String[] stringArray0 = new String[0];
GasStation.main(stringArray0);
int[] intArray0 = new int[0];
gasStation0.canCompleteCircuit1(intArray0, intArray0);
gasStation0.canCompleteCircuit1(intArray0, intArray0);
String[] stringArray1 = new String[4];
stringArray1[0] = "";
stringArray1[1] = "&YY[i:{9<";
stringArray1[2] = "";
stringArray1[3] = "oI9A Ef8Bt@YU=#^e@";
GasStation.main(stringArray1);
assertEquals(4, stringArray1.length);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
GasStation gasStation0 = new GasStation();
int[] intArray0 = new int[3];
intArray0[0] = (-16956);
GasStation.main((String[]) null);
intArray0[1] = 0;
intArray0[2] = 1;
int int0 = gasStation0.canCompleteCircuit1(intArray0, intArray0);
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
GasStation gasStation0 = new GasStation();
int[] intArray0 = new int[7];
intArray0[0] = 0;
intArray0[1] = (-3965);
intArray0[2] = 0;
intArray0[3] = (-32945);
intArray0[4] = 5;
GasStation.main((String[]) null);
intArray0[5] = 0;
intArray0[6] = 0;
gasStation0.canCompleteCircuit1(intArray0, intArray0);
gasStation0.canCompleteCircuit(intArray0, intArray0);
int[] intArray1 = new int[0];
// Undeclared exception!
try {
gasStation0.canCompleteCircuit1(intArray0, intArray1);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("GasStation", e);
}
}
@Test(timeout = 4000)
public void test6() throws Throwable {
String[] stringArray0 = new String[1];
stringArray0[0] = "BE{)";
GasStation.main(stringArray0);
GasStation gasStation0 = new GasStation();
int[] intArray0 = new int[1];
GasStation.main(stringArray0);
GasStation.main(stringArray0);
intArray0[0] = 0;
GasStation.main(stringArray0);
gasStation0.canCompleteCircuit(intArray0, intArray0);
String[] stringArray1 = new String[2];
stringArray1[0] = "BE{)";
stringArray1[1] = "BE{)";
GasStation.main(stringArray1);
GasStation.main(stringArray0);
int[] intArray1 = new int[1];
intArray1[0] = 0;
gasStation0.canCompleteCircuit(intArray0, intArray1);
GasStation.main(stringArray0);
gasStation0.canCompleteCircuit1(intArray0, intArray1);
GasStation.main(stringArray0);
assertFalse(stringArray0.equals((Object)stringArray1));
}
@Test(timeout = 4000)
public void test7() throws Throwable {
GasStation.main((String[]) null);
GasStation gasStation0 = new GasStation();
int[] intArray0 = new int[6];
intArray0[0] = 87090;
intArray0[1] = (-80137);
intArray0[2] = (-63430);
intArray0[3] = (-40939);
intArray0[4] = 5;
intArray0[5] = 0;
int int0 = gasStation0.canCompleteCircuit1(intArray0, intArray0);
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test8() throws Throwable {
String[] stringArray0 = new String[4];
stringArray0[0] = "]lw`I=do(E";
stringArray0[1] = "";
stringArray0[2] = "WJ@6Lx+SDk";
stringArray0[3] = "";
GasStation.main(stringArray0);
assertEquals(4, stringArray0.length);
}
@Test(timeout = 4000)
public void test9() throws Throwable {
String[] stringArray0 = new String[8];
stringArray0[0] = "";
stringArray0[1] = "iMT=QgldM";
stringArray0[2] = "GasStation";
stringArray0[3] = "B0H-Ia3";
stringArray0[4] = "";
stringArray0[5] = "M#";
stringArray0[6] = "";
stringArray0[7] = "";
GasStation.main(stringArray0);
GasStation gasStation0 = new GasStation();
int[] intArray0 = null;
// Undeclared exception!
try {
gasStation0.canCompleteCircuit1((int[]) null, (int[]) null);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 09:01:48 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class GasStation_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "GasStation";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp0tf10u18");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(GasStation_ESTest_scaffolding.class.getClassLoader() ,
"GasStation"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(GasStation_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"GasStation"
);
}
}
| 1,058 |
SomeSnippetsTemplates72 | import java.util.Scanner;
public class SomeSnippetsTemplates72 {
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
int t = scanner.nextInt();
for (int i = 0; i < t; i++) {
int height = 1;
int n = scanner.nextInt();
for (int j = 0; j < n; j++) {
if (j % 2 == 0) {
height *= 2;
} else {
height += 1;
}
}
System.out.println(height);
}
scanner.close();
}
}
| .version 52 0
.class public super SomeSnippetsTemplates72
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 5
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 3 locals 7
L0: new java/util/Scanner
L3: dup
L4: getstatic Field java/lang/System in Ljava/io/InputStream;
L7: invokespecial Method java/util/Scanner <init> (Ljava/io/InputStream;)V
L10: astore_1
L11: aload_1
L12: invokevirtual Method java/util/Scanner nextInt ()I
L15: istore_2
L16: iconst_0
L17: istore_3
.stack append Object java/util/Scanner Integer Integer
L18: iload_3
L19: iload_2
L20: if_icmpge L81
L23: iconst_1
L24: istore 4
L26: aload_1
L27: invokevirtual Method java/util/Scanner nextInt ()I
L30: istore 5
L32: iconst_0
L33: istore 6
.stack append Integer Integer Integer
L35: iload 6
L37: iload 5
L39: if_icmpge L67
L42: iload 6
L44: iconst_2
L45: irem
L46: ifne L58
L49: iload 4
L51: iconst_2
L52: imul
L53: istore 4
L55: goto L61
.stack same
L58: iinc 4 1
.stack same
L61: iinc 6 1
L64: goto L35
.stack chop 1
L67: getstatic Field java/lang/System out Ljava/io/PrintStream;
L70: iload 4
L72: invokevirtual Method java/io/PrintStream println (I)V
L75: iinc 3 1
L78: goto L18
.stack chop 3
L81: aload_1
L82: invokevirtual Method java/util/Scanner close ()V
L85: return
L86:
.linenumbertable
L0 7
L11 8
L16 10
L23 11
L26 12
L32 14
L42 15
L49 16
L58 18
L61 14
L67 22
L75 10
L81 25
L85 26
.end linenumbertable
.end code
.end method
.sourcefile 'SomeSnippetsTemplates72.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 06:02:21 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 SomeSnippetsTemplates72_ESTest extends SomeSnippetsTemplates72_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
SystemInUtil.addInputLine("8");
SomeSnippetsTemplates72 someSnippetsTemplates72_0 = new SomeSnippetsTemplates72();
SystemInUtil.addInputLine("8");
String[] stringArray0 = new String[5];
// Undeclared exception!
try {
SomeSnippetsTemplates72.main(stringArray0);
fail("Expecting exception: NoSuchElementException");
} catch(NoSuchElementException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("java.util.Scanner", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
// Undeclared exception!
try {
SomeSnippetsTemplates72.main((String[]) null);
fail("Expecting exception: NoSuchElementException");
} catch(NoSuchElementException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("java.util.Scanner", e);
}
}
@Test(timeout = 4000)
public void test2() throws Throwable {
SomeSnippetsTemplates72 someSnippetsTemplates72_0 = new SomeSnippetsTemplates72();
}
@Test(timeout = 4000)
public void test3() throws Throwable {
SystemInUtil.addInputLine("8");
SystemInUtil.addInputLine("8");
SomeSnippetsTemplates72 someSnippetsTemplates72_0 = new SomeSnippetsTemplates72();
SystemInUtil.addInputLine("8");
String[] stringArray0 = new String[5];
// Undeclared exception!
try {
SomeSnippetsTemplates72.main(stringArray0);
fail("Expecting exception: NoSuchElementException");
} catch(NoSuchElementException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("java.util.Scanner", e);
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 06:02: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 SomeSnippetsTemplates72_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "SomeSnippetsTemplates72";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
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/tmpc4pynofn");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SomeSnippetsTemplates72_ESTest_scaffolding.class.getClassLoader() ,
"SomeSnippetsTemplates72"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SomeSnippetsTemplates72_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"SomeSnippetsTemplates72"
);
}
}
| 1,059 |
InputReader | import java.io.BufferedReader;
import java.io.File;
import java.io.FileInputStream;
import java.io.FileNotFoundException;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
/**
* Lectura del archivo fuente.
*
* @author Ramiro Agis
* @author Victoria Martínez de la Cruz
*/
public class InputReader {
private String filename, currentLine;
private File file;
private InputStreamReader reader;
private BufferedReader buffer;
private InputStream in;
private int mark;
/**
* Constructor de la clase InputReader.
*
* @param filename Path del archivo con el código fuente
*/
public InputReader(String filename) {
this.filename = filename;
open();
}
/**
* Apertura del archivo con el código fuente.
*
* <p>Inicialización de variables de control para el recorrido del mismo.
*/
private void open() {
try {
file = new File(filename);
in = new FileInputStream(file);
reader = new InputStreamReader(in);
buffer = new BufferedReader(reader);
currentLine = buffer.readLine();
} catch (FileNotFoundException ex) {
System.err.println("El sistema no puede encontrar el archivo especificado.");
} catch (IOException ex) {
System.err.println("Error al leer el archivo de entrada.");
}
}
/** Cierre del archivo con el código fuente. */
private void close() {
try {
buffer.close();
} catch (IOException ex) {
System.err.println("Error al cerrar el archivo de entrada.");
}
}
/**
* Lectura de caracteres.
*
* <p>Se procesa el archivo línea por linea - Si la línea a procesar es nula, entonces se alcanzó
* el fin de archivo - Si el marcador de lectura (mark) es mayor al tamaño de la línea a procesar,
* se procede a leer una línea nueva y a reiniciar la marca. - Si el marcador de lectura (mark) es
* menor al tamaño de la línea a procesar, se procede a leer el caracter que apunta la marca y a
* incrementar la marca.
*
* @return c, caracter leído
*/
public char readChar() {
char c = ' ';
try {
if (currentLine == null) {
c = '\0'; // null byte - EOF
close();
} else if (mark >= currentLine.length()) { // /n
currentLine = buffer.readLine();
c = '\n';
mark = 0;
} else {
c = currentLine.charAt(mark);
mark++;
}
} catch (IOException ex) {
System.err.println("Error al leer caracter de buffer.");
}
return c;
}
/**
* Retorna el valor actual del marcador.
*
* @return mark, valor actual del marcador
*/
public int getMark() {
return mark;
}
/** Vuelve el marcador una posición hacia atrás */
public void resetMark() {
mark--;
}
}
| .version 52 0
.class public super InputReader
.super java/lang/Object
.field private filename Ljava/lang/String;
.field private currentLine Ljava/lang/String;
.field private file Ljava/io/File;
.field private reader Ljava/io/InputStreamReader;
.field private buffer Ljava/io/BufferedReader;
.field private in Ljava/io/InputStream;
.field private mark I
.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 InputReader filename Ljava/lang/String;
L9: aload_0
L10: invokespecial Method InputReader 'open' ()V
L13: return
L14:
.linenumbertable
L0 31
L4 32
L9 33
L13 34
.end linenumbertable
.end code
.end method
.method private 'open' : ()V
.code stack 4 locals 2
.catch java/io/FileNotFoundException from L0 to L71 using L74
.catch java/io/IOException from L0 to L71 using L86
L0: aload_0
L1: new java/io/File
L4: dup
L5: aload_0
L6: getfield Field InputReader filename Ljava/lang/String;
L9: invokespecial Method java/io/File <init> (Ljava/lang/String;)V
L12: putfield Field InputReader file Ljava/io/File;
L15: aload_0
L16: new java/io/FileInputStream
L19: dup
L20: aload_0
L21: getfield Field InputReader file Ljava/io/File;
L24: invokespecial Method java/io/FileInputStream <init> (Ljava/io/File;)V
L27: putfield Field InputReader in Ljava/io/InputStream;
L30: aload_0
L31: new java/io/InputStreamReader
L34: dup
L35: aload_0
L36: getfield Field InputReader in Ljava/io/InputStream;
L39: invokespecial Method java/io/InputStreamReader <init> (Ljava/io/InputStream;)V
L42: putfield Field InputReader reader Ljava/io/InputStreamReader;
L45: aload_0
L46: new java/io/BufferedReader
L49: dup
L50: aload_0
L51: getfield Field InputReader reader Ljava/io/InputStreamReader;
L54: invokespecial Method java/io/BufferedReader <init> (Ljava/io/Reader;)V
L57: putfield Field InputReader buffer Ljava/io/BufferedReader;
L60: aload_0
L61: aload_0
L62: getfield Field InputReader buffer Ljava/io/BufferedReader;
L65: invokevirtual Method java/io/BufferedReader readLine ()Ljava/lang/String;
L68: putfield Field InputReader currentLine Ljava/lang/String;
L71: goto L95
.stack stack_1_extended Object java/io/FileNotFoundException
L74: astore_1
L75: getstatic Field java/lang/System err Ljava/io/PrintStream;
L78: ldc 'El sistema no puede encontrar el archivo especificado.'
L80: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L83: goto L95
.stack stack_1 Object java/io/IOException
L86: astore_1
L87: getstatic Field java/lang/System err Ljava/io/PrintStream;
L90: ldc 'Error al leer el archivo de entrada.'
L92: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack same
L95: return
L96:
.linenumbertable
L0 43
L15 44
L30 45
L45 46
L60 47
L71 52
L74 48
L75 49
L83 52
L86 50
L87 51
L95 53
.end linenumbertable
.end code
.end method
.method private close : ()V
.code stack 2 locals 2
.catch java/io/IOException from L0 to L7 using L10
L0: aload_0
L1: getfield Field InputReader buffer Ljava/io/BufferedReader;
L4: invokevirtual Method java/io/BufferedReader close ()V
L7: goto L19
.stack stack_1 Object java/io/IOException
L10: astore_1
L11: getstatic Field java/lang/System err Ljava/io/PrintStream;
L14: ldc 'Error al cerrar el archivo de entrada.'
L16: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack same
L19: return
L20:
.linenumbertable
L0 60
L7 63
L10 61
L11 62
L19 64
.end linenumbertable
.end code
.end method
.method public readChar : ()C
.code stack 3 locals 3
L0: bipush 32
L2: istore_1
.catch java/io/IOException from L3 to L77 using L80
L3: aload_0
L4: getfield Field InputReader currentLine Ljava/lang/String;
L7: ifnonnull L19
L10: iconst_0
L11: istore_1
L12: aload_0
L13: invokespecial Method InputReader close ()V
L16: goto L77
.stack append Integer
L19: aload_0
L20: getfield Field InputReader mark I
L23: aload_0
L24: getfield Field InputReader currentLine Ljava/lang/String;
L27: invokevirtual Method java/lang/String length ()I
L30: if_icmplt L55
L33: aload_0
L34: aload_0
L35: getfield Field InputReader buffer Ljava/io/BufferedReader;
L38: invokevirtual Method java/io/BufferedReader readLine ()Ljava/lang/String;
L41: putfield Field InputReader currentLine Ljava/lang/String;
L44: bipush 10
L46: istore_1
L47: aload_0
L48: iconst_0
L49: putfield Field InputReader mark I
L52: goto L77
.stack same
L55: aload_0
L56: getfield Field InputReader currentLine Ljava/lang/String;
L59: aload_0
L60: getfield Field InputReader mark I
L63: invokevirtual Method java/lang/String charAt (I)C
L66: istore_1
L67: aload_0
L68: dup
L69: getfield Field InputReader mark I
L72: iconst_1
L73: iadd
L74: putfield Field InputReader mark I
.stack same
L77: goto L89
.stack stack_1 Object java/io/IOException
L80: astore_2
L81: getstatic Field java/lang/System err Ljava/io/PrintStream;
L84: ldc 'Error al leer caracter de buffer.'
L86: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack same
L89: iload_1
L90: ireturn
L91:
.linenumbertable
L0 79
L3 82
L10 83
L12 84
L19 85
L33 86
L44 87
L47 88
L55 90
L67 91
L77 96
L80 94
L81 95
L89 98
.end linenumbertable
.end code
.end method
.method public getMark : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field InputReader mark I
L4: ireturn
L5:
.linenumbertable
L0 107
.end linenumbertable
.end code
.end method
.method public resetMark : ()V
.code stack 3 locals 1
L0: aload_0
L1: dup
L2: getfield Field InputReader mark I
L5: iconst_1
L6: isub
L7: putfield Field InputReader mark I
L10: return
L11:
.linenumbertable
L0 114
L10 115
.end linenumbertable
.end code
.end method
.sourcefile 'InputReader.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 12:34:08 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 InputReader_ESTest extends InputReader_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
EvoSuiteFile evoSuiteFile0 = new EvoSuiteFile("El sistema no puede encontrar el archivo especificado.");
FileSystemHandling.appendStringToFile(evoSuiteFile0, "4U,9Gb*B#_");
FileSystemHandling.shouldThrowIOException(evoSuiteFile0);
InputReader inputReader0 = new InputReader("El sistema no puede encontrar el archivo especificado.");
inputReader0.readChar();
char char0 = inputReader0.readChar();
assertEquals('\u0000', char0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
InputReader inputReader0 = new InputReader("");
inputReader0.resetMark();
int int0 = inputReader0.getMark();
assertEquals((-1), int0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
InputReader inputReader0 = new InputReader("g9p9zllG8;");
int int0 = inputReader0.getMark();
assertEquals(0, int0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 12:34: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 InputReader_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "InputReader";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpin_sth__");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(InputReader_ESTest_scaffolding.class.getClassLoader() ,
"InputReader"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(InputReader_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"InputReader"
);
}
}
| 1,060 |
RetryException | /*
Copyright (c) 2000-2013 "independIT Integrative Technologies GmbH",
Authors: Ronald Jeninga, Dieter Stubler
schedulix Enterprise Job Scheduling System
independIT Integrative Technologies GmbH [http://www.independit.de]
mailto:[email protected]
This file is part of schedulix
schedulix is free software:
you can redistribute it and/or modify it under the terms of the
GNU Affero General Public License as published by the
Free Software Foundation, either version 3 of the License,
or (at your option) any later version.
This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU Affero General Public License for more details.
You should have received a copy of the GNU Affero General Public License
along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
public class RetryException extends Exception {
public static final String __version =
"@(#) $Id: RetryException.java,v 1.1.18.1 2013/03/14 10:24:03 ronald Exp $";
}
| .version 52 0
.class public super RetryException
.super java/lang/Exception
.field public static final __version Ljava/lang/String; = '@(#) $Id: RetryException.java,v 1.1.18.1 2013/03/14 10:24:03 ronald Exp $'
.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 30
.end linenumbertable
.end code
.end method
.sourcefile 'RetryException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 13:35: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 RetryException_ESTest extends RetryException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
RetryException retryException0 = new RetryException();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 13:35: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 RetryException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "RetryException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpxm7a_m55");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(RetryException_ESTest_scaffolding.class.getClassLoader() ,
"RetryException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RetryException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"RetryException"
);
}
}
| 1,061 |
AccountsException | /*-
* Copyright (C) 2009 Google Inc.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
/** Mirrors {@link android.accounts.AccountsException} */
@SuppressWarnings("serial")
public class AccountsException extends Exception {
/** Mirrors {@link android.accounts.AccountsException#AccountsException()} */
public AccountsException() {
super();
}
/** Mirrors {@link android.accounts.AccountsException#AccountsException(String, Throwable)} */
public AccountsException(String detailMessage, Throwable throwable) {
super(detailMessage, throwable);
}
/** Mirrors {@link android.accounts.AccountsException#AccountsException(String)} */
public AccountsException(String detailMessage) {
super(detailMessage);
}
/** Mirrors {@link android.accounts.AccountsException#AccountsException(Throwable)} */
public AccountsException(Throwable throwable) {
super(throwable);
}
}
| .version 52 0
.class public super AccountsException
.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 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/Exception <init> (Ljava/lang/String;Ljava/lang/Throwable;)V
L6: return
L7:
.linenumbertable
L0 36
L6 37
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V
L5: return
L6:
.linenumbertable
L0 44
L5 45
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/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 52
L5 53
.end linenumbertable
.end code
.end method
.sourcefile 'AccountsException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 04:41:44 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 AccountsException_ESTest extends AccountsException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
AccountsException accountsException0 = new AccountsException("");
}
@Test(timeout = 4000)
public void test1() throws Throwable {
MockThrowable mockThrowable0 = new MockThrowable("");
AccountsException accountsException0 = new AccountsException("", mockThrowable0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
AccountsException accountsException0 = new AccountsException();
AccountsException accountsException1 = new AccountsException(accountsException0);
assertFalse(accountsException1.equals((Object)accountsException0));
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 04:41: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 AccountsException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "AccountsException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmptg48qfhp");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(AccountsException_ESTest_scaffolding.class.getClassLoader() ,
"AccountsException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AccountsException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"AccountsException"
);
}
}
| 1,062 |
County | public class County {
private int id;
private String countyName;
private String countyCode;
private int cityId;
public int getId() {
return id;
}
public void setId(int id) {
this.id = id;
}
public String getCountyName() {
return countyName;
}
public void setCountyName(String countyName) {
this.countyName = countyName;
}
public String getCountyCode() {
return countyCode;
}
public void setCountyCode(String countyCode) {
this.countyCode = countyCode;
}
public int getCityId() {
return cityId;
}
public void setCityId(int cityId) {
this.cityId = cityId;
}
}
| .version 52 0
.class public super County
.super java/lang/Object
.field private id I
.field private countyName Ljava/lang/String;
.field private countyCode Ljava/lang/String;
.field private cityId I
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 3
.end linenumbertable
.end code
.end method
.method public getId : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field County id I
L4: ireturn
L5:
.linenumbertable
L0 11
.end linenumbertable
.end code
.end method
.method public setId : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field County id I
L5: return
L6:
.linenumbertable
L0 14
L5 15
.end linenumbertable
.end code
.end method
.method public getCountyName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field County countyName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 17
.end linenumbertable
.end code
.end method
.method public setCountyName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field County countyName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 20
L5 21
.end linenumbertable
.end code
.end method
.method public getCountyCode : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field County countyCode Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 23
.end linenumbertable
.end code
.end method
.method public setCountyCode : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field County countyCode Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 26
L5 27
.end linenumbertable
.end code
.end method
.method public getCityId : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field County cityId I
L4: ireturn
L5:
.linenumbertable
L0 29
.end linenumbertable
.end code
.end method
.method public setCityId : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field County cityId I
L5: return
L6:
.linenumbertable
L0 32
L5 33
.end linenumbertable
.end code
.end method
.sourcefile 'County.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 00:41: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 County_ESTest extends County_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
County county0 = new County();
county0.setId(35738);
int int0 = county0.getId();
assertEquals(35738, int0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
County county0 = new County();
county0.setId((-73058));
int int0 = county0.getId();
assertEquals((-73058), int0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
County county0 = new County();
county0.setCountyName("& Q=f^YAoWr>,iWQY");
String string0 = county0.getCountyName();
assertEquals("& Q=f^YAoWr>,iWQY", string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
County county0 = new County();
county0.setCountyName("");
String string0 = county0.getCountyName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
County county0 = new County();
county0.setCountyCode(",l");
String string0 = county0.getCountyCode();
assertEquals(",l", string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
County county0 = new County();
county0.setCityId((-1));
int int0 = county0.getCityId();
assertEquals((-1), int0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
County county0 = new County();
int int0 = county0.getId();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
County county0 = new County();
county0.setCountyCode("");
String string0 = county0.getCountyCode();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
County county0 = new County();
county0.setCityId(2332);
int int0 = county0.getCityId();
assertEquals(2332, int0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
County county0 = new County();
String string0 = county0.getCountyCode();
assertNull(string0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
County county0 = new County();
String string0 = county0.getCountyName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
County county0 = new County();
int int0 = county0.getCityId();
assertEquals(0, int0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 00:41: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 County_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "County";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpal7ewqgx");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(County_ESTest_scaffolding.class.getClassLoader() ,
"County"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(County_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"County"
);
}
}
| 1,063 |
UtilNumber | public class UtilNumber {
public static String numberToChinese(double n) {
String fraction[] = {"角", "分", "厘"};
String digit[] = {"零", "壹", "贰", "叁", "肆", "伍", "陆", "柒", "捌", "玖"};
String unit[][] = {{"元", "万", "亿"}, {"", "拾", "佰", "仟"}};
String head = n < 0 ? "负" : "";
n = Math.abs(n);
String s = "";
for (int i = 0; i < fraction.length; i++) {
s +=
(digit[(int) (Math.floor(n * 10 * Math.pow(10, i)) % 10)] + fraction[i])
.replaceAll("(零.)+", "");
}
if (s.length() < 1) {
s = "整";
}
int integerPart = (int) Math.floor(n);
for (int i = 0; i < unit[0].length && integerPart > 0; i++) {
String p = "";
for (int j = 0; j < unit[1].length && n > 0; j++) {
p = digit[integerPart % 10] + unit[1][j] + p;
integerPart = integerPart / 10;
}
s = p.replaceAll("(零.)*零$", "").replaceAll("^$", "零") + unit[0][i] + s;
}
return head
+ s.replaceAll("(零.)*零元", "元")
.replaceFirst("(零.)+", "")
.replaceAll("(零.)+", "零")
.replaceAll("^整$", "零元整");
}
public static void main(String agrs[]) {
// 整数
System.out.println(numberToChinese(0)); // 零元整
System.out.println(numberToChinese(123)); // 壹佰贰拾叁元整
System.out.println(numberToChinese(1000000)); // 壹佰万元整
System.out.println(numberToChinese(100000001)); // 壹亿零壹元整
System.out.println(numberToChinese(1000000000)); // 壹拾亿元整
System.out.println(numberToChinese(1234567890)); // 壹拾贰亿叁仟肆佰伍拾陆万柒仟捌佰玖拾元整
System.out.println(numberToChinese(1001100101)); // 壹拾亿零壹佰壹拾万零壹佰零壹元整
System.out.println(numberToChinese(110101010)); // 壹亿壹仟零壹拾万壹仟零壹拾元整
// 小数
System.out.println(numberToChinese(0.1332)); // 壹角贰分
System.out.println(numberToChinese(123.3433)); // 壹佰贰拾叁元叁角肆分
System.out.println(numberToChinese(1000000.5336)); // 壹佰万元伍角陆分
System.out.println(numberToChinese(1000000000.9330)); // 壹拾亿元玖角
System.out.println(numberToChinese(1234567890.03333)); // 壹拾贰亿叁仟肆佰伍拾陆万柒仟捌佰玖拾元叁分
System.out.println(numberToChinese(1001100101.0033)); // 壹拾亿零壹佰壹拾万零壹佰零壹元整
System.out.println(numberToChinese(110101010.1330)); // 壹亿壹仟零壹拾万壹仟零壹拾元壹角
// 负数
System.out.println(numberToChinese(-0.12)); // 负壹角贰分
System.out.println(numberToChinese(-123.34)); // 负壹佰贰拾叁元叁角肆分
System.out.println(numberToChinese(-1000000.56)); // 负壹佰万元伍角陆分
System.out.println(numberToChinese(-100000001.78)); // 负壹亿零壹元柒角捌分
System.out.println(numberToChinese(-1000000000.90)); // 负壹拾亿元玖角
System.out.println(numberToChinese(-1234567890.03)); // 负壹拾贰亿叁仟肆佰伍拾陆万柒仟捌佰玖拾元叁分
System.out.println(numberToChinese(-1001100101.00)); // 负壹拾亿零壹佰壹拾万零壹佰零壹元整
System.out.println(numberToChinese(-110101010.10)); // 负壹亿壹仟零壹拾万壹仟零壹拾元壹角
}
}
| .version 52 0
.class public super UtilNumber
.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 numberToChinese : (D)Ljava/lang/String;
.code stack 9 locals 11
L0: iconst_3
L1: anewarray java/lang/String
L4: dup
L5: iconst_0
L6: ldc '角'
L8: aastore
L9: dup
L10: iconst_1
L11: ldc '分'
L13: aastore
L14: dup
L15: iconst_2
L16: ldc '厘'
L18: aastore
L19: astore_2
L20: bipush 10
L22: anewarray java/lang/String
L25: dup
L26: iconst_0
L27: ldc '零'
L29: aastore
L30: dup
L31: iconst_1
L32: ldc '壹'
L34: aastore
L35: dup
L36: iconst_2
L37: ldc '贰'
L39: aastore
L40: dup
L41: iconst_3
L42: ldc '叁'
L44: aastore
L45: dup
L46: iconst_4
L47: ldc '肆'
L49: aastore
L50: dup
L51: iconst_5
L52: ldc '伍'
L54: aastore
L55: dup
L56: bipush 6
L58: ldc '陆'
L60: aastore
L61: dup
L62: bipush 7
L64: ldc '柒'
L66: aastore
L67: dup
L68: bipush 8
L70: ldc '捌'
L72: aastore
L73: dup
L74: bipush 9
L76: ldc '玖'
L78: aastore
L79: astore_3
L80: iconst_2
L81: anewarray [Ljava/lang/String;
L84: dup
L85: iconst_0
L86: iconst_3
L87: anewarray java/lang/String
L90: dup
L91: iconst_0
L92: ldc '元'
L94: aastore
L95: dup
L96: iconst_1
L97: ldc '万'
L99: aastore
L100: dup
L101: iconst_2
L102: ldc '亿'
L104: aastore
L105: aastore
L106: dup
L107: iconst_1
L108: iconst_4
L109: anewarray java/lang/String
L112: dup
L113: iconst_0
L114: ldc ''
L116: aastore
L117: dup
L118: iconst_1
L119: ldc '拾'
L121: aastore
L122: dup
L123: iconst_2
L124: ldc '佰'
L126: aastore
L127: dup
L128: iconst_3
L129: ldc '仟'
L131: aastore
L132: aastore
L133: astore 4
L135: dload_0
L136: dconst_0
L137: dcmpg
L138: ifge L146
L141: ldc '负'
L143: goto L148
.stack append Object [Ljava/lang/String; Object [Ljava/lang/String; Object [[Ljava/lang/String;
L146: ldc ''
.stack stack_1 Object java/lang/String
L148: astore 5
L150: dload_0
L151: invokestatic Method java/lang/Math abs (D)D
L154: dstore_0
L155: ldc ''
L157: astore 6
L159: iconst_0
L160: istore 7
.stack append Object java/lang/String Object java/lang/String Integer
L162: iload 7
L164: aload_2
L165: arraylength
L166: if_icmpge L247
L169: new java/lang/StringBuilder
L172: dup
L173: invokespecial Method java/lang/StringBuilder <init> ()V
L176: aload 6
L178: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L181: new java/lang/StringBuilder
L184: dup
L185: invokespecial Method java/lang/StringBuilder <init> ()V
L188: aload_3
L189: dload_0
L190: ldc2_w +10.0
L193: dmul
L194: ldc2_w +10.0
L197: iload 7
L199: i2d
L200: invokestatic Method java/lang/Math pow (DD)D
L203: dmul
L204: invokestatic Method java/lang/Math floor (D)D
L207: ldc2_w +10.0
L210: drem
L211: d2i
L212: aaload
L213: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L216: aload_2
L217: iload 7
L219: aaload
L220: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L223: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L226: ldc '(零.)+'
L228: ldc ''
L230: invokevirtual Method java/lang/String replaceAll (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String;
L233: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L236: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L239: astore 6
L241: iinc 7 1
L244: goto L162
.stack chop 1
L247: aload 6
L249: invokevirtual Method java/lang/String length ()I
L252: iconst_1
L253: if_icmpge L260
L256: ldc '整'
L258: astore 6
.stack same
L260: dload_0
L261: invokestatic Method java/lang/Math floor (D)D
L264: d2i
L265: istore 7
L267: iconst_0
L268: istore 8
.stack append Integer Integer
L270: iload 8
L272: aload 4
L274: iconst_0
L275: aaload
L276: arraylength
L277: if_icmpge L410
L280: iload 7
L282: ifle L410
L285: ldc ''
L287: astore 9
L289: iconst_0
L290: istore 10
.stack append Object java/lang/String Integer
L292: iload 10
L294: aload 4
L296: iconst_1
L297: aaload
L298: arraylength
L299: if_icmpge L358
L302: dload_0
L303: dconst_0
L304: dcmpl
L305: ifle L358
L308: new java/lang/StringBuilder
L311: dup
L312: invokespecial Method java/lang/StringBuilder <init> ()V
L315: aload_3
L316: iload 7
L318: bipush 10
L320: irem
L321: aaload
L322: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L325: aload 4
L327: iconst_1
L328: aaload
L329: iload 10
L331: aaload
L332: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L335: aload 9
L337: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L340: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L343: astore 9
L345: iload 7
L347: bipush 10
L349: idiv
L350: istore 7
L352: iinc 10 1
L355: goto L292
.stack chop 1
L358: new java/lang/StringBuilder
L361: dup
L362: invokespecial Method java/lang/StringBuilder <init> ()V
L365: aload 9
L367: ldc '(零.)*零$'
L369: ldc ''
L371: invokevirtual Method java/lang/String replaceAll (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String;
L374: ldc '^$'
L376: ldc '零'
L378: invokevirtual Method java/lang/String replaceAll (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String;
L381: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L384: aload 4
L386: iconst_0
L387: aaload
L388: iload 8
L390: aaload
L391: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L394: aload 6
L396: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L399: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L402: astore 6
L404: iinc 8 1
L407: goto L270
.stack chop 2
L410: new java/lang/StringBuilder
L413: dup
L414: invokespecial Method java/lang/StringBuilder <init> ()V
L417: aload 5
L419: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L422: aload 6
L424: ldc '(零.)*零元'
L426: ldc '元'
L428: invokevirtual Method java/lang/String replaceAll (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String;
L431: ldc '(零.)+'
L433: ldc ''
L435: invokevirtual Method java/lang/String replaceFirst (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String;
L438: ldc '(零.)+'
L440: ldc '零'
L442: invokevirtual Method java/lang/String replaceAll (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String;
L445: ldc '^整$'
L447: ldc '零元整'
L449: invokevirtual Method java/lang/String replaceAll (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String;
L452: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L455: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L458: areturn
L459:
.linenumbertable
L0 5
L20 6
L80 7
L135 10
L150 11
L155 13
L159 14
L169 15
L241 14
L247 17
L256 18
L260 20
L267 22
L285 23
L289 24
L308 25
L345 26
L352 24
L358 28
L404 22
L410 30
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 3 locals 1
L0: getstatic Field java/lang/System out Ljava/io/PrintStream;
L3: dconst_0
L4: invokestatic Method UtilNumber numberToChinese (D)Ljava/lang/String;
L7: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L10: getstatic Field java/lang/System out Ljava/io/PrintStream;
L13: ldc2_w +123.0
L16: invokestatic Method UtilNumber numberToChinese (D)Ljava/lang/String;
L19: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L22: getstatic Field java/lang/System out Ljava/io/PrintStream;
L25: ldc2_w +1000000.0
L28: invokestatic Method UtilNumber numberToChinese (D)Ljava/lang/String;
L31: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L34: getstatic Field java/lang/System out Ljava/io/PrintStream;
L37: ldc2_w +100000001.0
L40: invokestatic Method UtilNumber numberToChinese (D)Ljava/lang/String;
L43: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L46: getstatic Field java/lang/System out Ljava/io/PrintStream;
L49: ldc2_w +1000000000.0
L52: invokestatic Method UtilNumber numberToChinese (D)Ljava/lang/String;
L55: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L58: getstatic Field java/lang/System out Ljava/io/PrintStream;
L61: ldc2_w +1234567890.0
L64: invokestatic Method UtilNumber numberToChinese (D)Ljava/lang/String;
L67: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L70: getstatic Field java/lang/System out Ljava/io/PrintStream;
L73: ldc2_w +1001100101.0
L76: invokestatic Method UtilNumber numberToChinese (D)Ljava/lang/String;
L79: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L82: getstatic Field java/lang/System out Ljava/io/PrintStream;
L85: ldc2_w +110101010.0
L88: invokestatic Method UtilNumber numberToChinese (D)Ljava/lang/String;
L91: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L94: getstatic Field java/lang/System out Ljava/io/PrintStream;
L97: ldc2_w +0.1332
L100: invokestatic Method UtilNumber numberToChinese (D)Ljava/lang/String;
L103: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L106: getstatic Field java/lang/System out Ljava/io/PrintStream;
L109: ldc2_w +123.3433
L112: invokestatic Method UtilNumber numberToChinese (D)Ljava/lang/String;
L115: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L118: getstatic Field java/lang/System out Ljava/io/PrintStream;
L121: ldc2_w +1000000.5336
L124: invokestatic Method UtilNumber numberToChinese (D)Ljava/lang/String;
L127: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L130: getstatic Field java/lang/System out Ljava/io/PrintStream;
L133: ldc2_w +1000000000.933
L136: invokestatic Method UtilNumber numberToChinese (D)Ljava/lang/String;
L139: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L142: getstatic Field java/lang/System out Ljava/io/PrintStream;
L145: ldc2_w +1234567890.03333
L148: invokestatic Method UtilNumber numberToChinese (D)Ljava/lang/String;
L151: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L154: getstatic Field java/lang/System out Ljava/io/PrintStream;
L157: ldc2_w +1001100101.0033
L160: invokestatic Method UtilNumber numberToChinese (D)Ljava/lang/String;
L163: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L166: getstatic Field java/lang/System out Ljava/io/PrintStream;
L169: ldc2_w +110101010.133
L172: invokestatic Method UtilNumber numberToChinese (D)Ljava/lang/String;
L175: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L178: getstatic Field java/lang/System out Ljava/io/PrintStream;
L181: ldc2_w -0.12
L184: invokestatic Method UtilNumber numberToChinese (D)Ljava/lang/String;
L187: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L190: getstatic Field java/lang/System out Ljava/io/PrintStream;
L193: ldc2_w -123.34
L196: invokestatic Method UtilNumber numberToChinese (D)Ljava/lang/String;
L199: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L202: getstatic Field java/lang/System out Ljava/io/PrintStream;
L205: ldc2_w -1000000.56
L208: invokestatic Method UtilNumber numberToChinese (D)Ljava/lang/String;
L211: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L214: getstatic Field java/lang/System out Ljava/io/PrintStream;
L217: ldc2_w -100000001.78
L220: invokestatic Method UtilNumber numberToChinese (D)Ljava/lang/String;
L223: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L226: getstatic Field java/lang/System out Ljava/io/PrintStream;
L229: ldc2_w -1000000000.9
L232: invokestatic Method UtilNumber numberToChinese (D)Ljava/lang/String;
L235: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L238: getstatic Field java/lang/System out Ljava/io/PrintStream;
L241: ldc2_w -1234567890.03
L244: invokestatic Method UtilNumber numberToChinese (D)Ljava/lang/String;
L247: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L250: getstatic Field java/lang/System out Ljava/io/PrintStream;
L253: ldc2_w -1001100101.0
L256: invokestatic Method UtilNumber numberToChinese (D)Ljava/lang/String;
L259: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L262: getstatic Field java/lang/System out Ljava/io/PrintStream;
L265: ldc2_w -110101010.1
L268: invokestatic Method UtilNumber numberToChinese (D)Ljava/lang/String;
L271: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L274: return
L275:
.linenumbertable
L0 35
L10 36
L22 37
L34 38
L46 39
L58 40
L70 41
L82 42
L94 45
L106 46
L118 47
L130 48
L142 49
L154 50
L166 51
L178 54
L190 55
L202 56
L214 57
L226 58
L238 59
L250 60
L262 61
L274 62
.end linenumbertable
.end code
.end method
.sourcefile 'UtilNumber.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 05:31: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 UtilNumber_ESTest extends UtilNumber_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
UtilNumber utilNumber0 = new UtilNumber();
UtilNumber.numberToChinese(1.001100101E9);
String[] stringArray0 = new String[6];
stringArray0[0] = "b?>;Io226";
stringArray0[1] = "ftQ]i~E";
stringArray0[2] = "";
stringArray0[3] = "";
stringArray0[4] = "\u5398";
stringArray0[5] = "";
UtilNumber.main(stringArray0);
assertEquals(6, stringArray0.length);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
UtilNumber utilNumber0 = new UtilNumber();
String[] stringArray0 = new String[4];
stringArray0[0] = "\u96F6\u5143\u6574";
stringArray0[1] = "\u7396";
stringArray0[2] = "/:urK\"p72fLs85X+";
stringArray0[3] = "";
UtilNumber.main(stringArray0);
assertEquals(4, stringArray0.length);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
UtilNumber utilNumber0 = new UtilNumber();
String[] stringArray0 = new String[2];
stringArray0[0] = "";
stringArray0[1] = "A~`Ui";
UtilNumber.main(stringArray0);
String[] stringArray1 = new String[5];
stringArray1[0] = "\u7396";
stringArray1[1] = "\u8086";
stringArray1[2] = "m";
stringArray1[3] = "+hr6+1_X6%3dcC_8u";
stringArray1[4] = "\u58F9";
UtilNumber.main(stringArray1);
UtilNumber.main(stringArray1);
UtilNumber.numberToChinese((-7650.35492006));
String[] stringArray2 = new String[9];
stringArray2[0] = "\u7396";
stringArray2[1] = "+hr6+1_X6%3dcC_8u";
stringArray2[2] = "m";
stringArray2[3] = "\u8086";
stringArray2[4] = "m";
stringArray2[5] = "+hr6+1_X6%3dcC_8u";
stringArray2[6] = "+hr6+1_X6%3dcC_8u";
stringArray2[7] = "\u8D1F\u67D2\u4EDF\u9646\u4F70\u4F0D\u62FE\u5143\u53C1\u89D2\u4F0D\u5206\u8086\u5398";
stringArray2[8] = "\u58F9";
UtilNumber.main(stringArray2);
String string0 = UtilNumber.numberToChinese(0.0);
assertEquals("\u96F6\u5143\u6574", string0);
String string1 = UtilNumber.numberToChinese((-7650.35492006));
assertEquals("\u8D1F\u67D2\u4EDF\u9646\u4F70\u4F0D\u62FE\u5143\u53C1\u89D2\u4F0D\u5206\u8086\u5398", string1);
UtilNumber.main(stringArray2);
UtilNumber.main(stringArray1);
String string2 = UtilNumber.numberToChinese((-1.0));
assertEquals("\u8D1F\u58F9\u5143\u6574", string2);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
String string0 = UtilNumber.numberToChinese((-1742.3822));
assertEquals("\u8D1F\u58F9\u4EDF\u67D2\u4F70\u8086\u62FE\u8D30\u5143\u53C1\u89D2\u634C\u5206\u8D30\u5398", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 05:31:34 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class UtilNumber_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "UtilNumber";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp8tcy5isy");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(UtilNumber_ESTest_scaffolding.class.getClassLoader() ,
"UtilNumber"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UtilNumber_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"UtilNumber"
);
}
}
| 1,064 |
Checksum | import java.io.*;
import java.math.BigInteger;
import java.security.DigestInputStream;
import java.security.MessageDigest;
import java.security.NoSuchAlgorithmException;
public class Checksum {
public MessageDigest md;
private FileInputStream fis;
public Checksum() {
try {
md = MessageDigest.getInstance("SHA1");
} catch (NoSuchAlgorithmException e) {
e.printStackTrace();
}
}
// 获得cheksum 后面我们要使用他来鉴别文件完整性
public String generateChecksum(String filepath, String filename) {
try {
fis = new FileInputStream(filepath);
byte[] dataBytes = new byte[1024];
int nread = 0;
while ((nread = fis.read(dataBytes)) != -1) {
md.update(dataBytes, 0, nread);
}
} catch (FileNotFoundException e) {
e.printStackTrace();
} catch (IOException e) {
e.printStackTrace();
}
byte[] mdbytes = md.digest();
String result = byteToHex(mdbytes);
// System.out.println(filename + " :: " + result);
return result;
}
public String chunking(byte[] dataBytes) {
md.update(dataBytes);
byte[] mdbytes = md.digest();
String result = byteToHex(mdbytes);
return result;
}
public static String byteToHex(byte[] mdbytes) {
StringBuffer sb = new StringBuffer("");
for (int i = 0; i < mdbytes.length; i++) {
sb.append(Integer.toString((mdbytes[i] & 0xff) + 0x100, 16).substring(1));
}
return sb.toString();
}
public static String calcChecksum(String filepath) {
try {
MessageDigest md = MessageDigest.getInstance("MD5");
FileInputStream finstream = new FileInputStream(filepath);
DigestInputStream dinstream = new DigestInputStream(finstream, md);
byte[] buffer = new byte[10485760]; // 10MB
@SuppressWarnings("unused")
int line = 0;
while ((line = dinstream.read(buffer)) != -1) {}
dinstream.close();
finstream.close();
return new BigInteger(1, md.digest()).toString(16);
} catch (Exception e) {
}
return null;
}
public static boolean verifyChecksum(String check1, String check2) {
boolean result = false;
int compare;
compare = check1.compareTo(check2);
if (compare == 0) result = true;
return result;
}
}
| .version 52 0
.class public super Checksum
.super java/lang/Object
.field public md Ljava/security/MessageDigest;
.field private fis Ljava/io/FileInputStream;
.method public <init> : ()V
.code stack 2 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
.catch java/security/NoSuchAlgorithmException from L4 to L13 using L16
L4: aload_0
L5: ldc 'SHA1'
L7: invokestatic Method java/security/MessageDigest getInstance (Ljava/lang/String;)Ljava/security/MessageDigest;
L10: putfield Field Checksum md Ljava/security/MessageDigest;
L13: goto L21
.stack full
locals Object Checksum
stack Object java/security/NoSuchAlgorithmException
.end stack
L16: astore_1
L17: aload_1
L18: invokevirtual Method java/security/NoSuchAlgorithmException printStackTrace ()V
.stack same
L21: return
L22:
.linenumbertable
L0 15
L4 17
L13 20
L16 18
L17 19
L21 21
.end linenumbertable
.end code
.end method
.method public generateChecksum : (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String;
.code stack 4 locals 5
.catch java/io/FileNotFoundException from L0 to L50 using L53
.catch java/io/IOException from L0 to L50 using L61
L0: aload_0
L1: new java/io/FileInputStream
L4: dup
L5: aload_1
L6: invokespecial Method java/io/FileInputStream <init> (Ljava/lang/String;)V
L9: putfield Field Checksum fis Ljava/io/FileInputStream;
L12: sipush 1024
L15: newarray byte
L17: astore_3
L18: iconst_0
L19: istore 4
.stack append Object [B Integer
L21: aload_0
L22: getfield Field Checksum fis Ljava/io/FileInputStream;
L25: aload_3
L26: invokevirtual Method java/io/FileInputStream read ([B)I
L29: dup
L30: istore 4
L32: iconst_m1
L33: if_icmpeq L50
L36: aload_0
L37: getfield Field Checksum md Ljava/security/MessageDigest;
L40: aload_3
L41: iconst_0
L42: iload 4
L44: invokevirtual Method java/security/MessageDigest update ([BII)V
L47: goto L21
.stack chop 2
L50: goto L66
.stack stack_1 Object java/io/FileNotFoundException
L53: astore_3
L54: aload_3
L55: invokevirtual Method java/io/FileNotFoundException printStackTrace ()V
L58: goto L66
.stack stack_1 Object java/io/IOException
L61: astore_3
L62: aload_3
L63: invokevirtual Method java/io/IOException printStackTrace ()V
.stack same
L66: aload_0
L67: getfield Field Checksum md Ljava/security/MessageDigest;
L70: invokevirtual Method java/security/MessageDigest digest ()[B
L73: astore_3
L74: aload_3
L75: invokestatic Method Checksum byteToHex ([B)Ljava/lang/String;
L78: astore 4
L80: aload 4
L82: areturn
L83:
.linenumbertable
L0 25
L12 27
L18 29
L21 31
L36 32
L50 38
L53 34
L54 35
L58 38
L61 36
L62 37
L66 39
L74 41
L80 45
.end linenumbertable
.end code
.end method
.method public chunking : ([B)Ljava/lang/String;
.code stack 2 locals 4
L0: aload_0
L1: getfield Field Checksum md Ljava/security/MessageDigest;
L4: aload_1
L5: invokevirtual Method java/security/MessageDigest update ([B)V
L8: aload_0
L9: getfield Field Checksum md Ljava/security/MessageDigest;
L12: invokevirtual Method java/security/MessageDigest digest ()[B
L15: astore_2
L16: aload_2
L17: invokestatic Method Checksum byteToHex ([B)Ljava/lang/String;
L20: astore_3
L21: aload_3
L22: areturn
L23:
.linenumbertable
L0 49
L8 50
L16 51
L21 52
.end linenumbertable
.end code
.end method
.method public static byteToHex : ([B)Ljava/lang/String;
.code stack 3 locals 3
L0: new java/lang/StringBuffer
L3: dup
L4: ldc ''
L6: invokespecial Method java/lang/StringBuffer <init> (Ljava/lang/String;)V
L9: astore_1
L10: iconst_0
L11: istore_2
.stack append Object java/lang/StringBuffer Integer
L12: iload_2
L13: aload_0
L14: arraylength
L15: if_icmpge L49
L18: aload_1
L19: aload_0
L20: iload_2
L21: baload
L22: sipush 255
L25: iand
L26: sipush 256
L29: iadd
L30: bipush 16
L32: invokestatic Method java/lang/Integer toString (II)Ljava/lang/String;
L35: iconst_1
L36: invokevirtual Method java/lang/String substring (I)Ljava/lang/String;
L39: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L42: pop
L43: iinc 2 1
L46: goto L12
.stack chop 1
L49: aload_1
L50: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String;
L53: areturn
L54:
.linenumbertable
L0 57
L10 58
L18 59
L36 60
L39 59
L43 58
L49 62
.end linenumbertable
.end code
.end method
.method public static calcChecksum : (Ljava/lang/String;)Ljava/lang/String;
.code stack 4 locals 6
.catch java/lang/Exception from L0 to L75 using L76
L0: ldc 'MD5'
L2: invokestatic Method java/security/MessageDigest getInstance (Ljava/lang/String;)Ljava/security/MessageDigest;
L5: astore_1
L6: new java/io/FileInputStream
L9: dup
L10: aload_0
L11: invokespecial Method java/io/FileInputStream <init> (Ljava/lang/String;)V
L14: astore_2
L15: new java/security/DigestInputStream
L18: dup
L19: aload_2
L20: aload_1
L21: invokespecial Method java/security/DigestInputStream <init> (Ljava/io/InputStream;Ljava/security/MessageDigest;)V
L24: astore_3
L25: ldc 10485760
L27: newarray byte
L29: astore 4
L31: iconst_0
L32: istore 5
.stack full
locals Object java/lang/String Object java/security/MessageDigest Object java/io/FileInputStream Object java/security/DigestInputStream Object [B Integer
stack
.end stack
L34: aload_3
L35: aload 4
L37: invokevirtual Method java/security/DigestInputStream read ([B)I
L40: dup
L41: istore 5
L43: iconst_m1
L44: if_icmpeq L50
L47: goto L34
.stack same
L50: aload_3
L51: invokevirtual Method java/security/DigestInputStream close ()V
L54: aload_2
L55: invokevirtual Method java/io/FileInputStream close ()V
L58: new java/math/BigInteger
L61: dup
L62: iconst_1
L63: aload_1
L64: invokevirtual Method java/security/MessageDigest digest ()[B
L67: invokespecial Method java/math/BigInteger <init> (I[B)V
L70: bipush 16
L72: invokevirtual Method java/math/BigInteger toString (I)Ljava/lang/String;
L75: areturn
.stack full
locals Object java/lang/String
stack Object java/lang/Exception
.end stack
L76: astore_1
L77: aconst_null
L78: areturn
L79:
.linenumbertable
L0 68
L6 69
L15 72
L25 74
L31 77
L34 78
L50 81
L54 82
L58 84
L76 86
L77 90
.end linenumbertable
.end code
.end method
.method public static verifyChecksum : (Ljava/lang/String;Ljava/lang/String;)Z
.code stack 2 locals 4
L0: iconst_0
L1: istore_2
L2: aload_0
L3: aload_1
L4: invokevirtual Method java/lang/String compareTo (Ljava/lang/String;)I
L7: istore_3
L8: iload_3
L9: ifne L14
L12: iconst_1
L13: istore_2
.stack append Integer Integer
L14: iload_2
L15: ireturn
L16:
.linenumbertable
L0 94
L2 97
L8 98
L14 100
.end linenumbertable
.end code
.end method
.sourcefile 'Checksum.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 15:41:02 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 Checksum_ESTest extends Checksum_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Checksum checksum0 = new Checksum();
byte[] byteArray0 = new byte[1];
checksum0.chunking(byteArray0);
boolean boolean0 = Checksum.verifyChecksum("a979ef10cc6f6a36df6b8a323307ee3bb2e2db9c", "6Vh)ON^(|#v");
assertFalse(boolean0);
checksum0.generateChecksum("a979ef10cc6f6a36df6b8a323307ee3bb2e2db9c", "6Vh)ON^(|#v");
Checksum.calcChecksum("");
String string0 = checksum0.chunking(byteArray0);
assertEquals("5ba93c9db0cff93f52b521d7420e43f6eda2784f", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
byte[] byteArray0 = new byte[1];
Checksum checksum0 = new Checksum();
EvoSuiteFile evoSuiteFile0 = new EvoSuiteFile("~[USp");
FileSystemHandling.appendDataToFile(evoSuiteFile0, byteArray0);
String string0 = checksum0.generateChecksum("~[USp", "c9");
assertEquals("5ba93c9db0cff93f52b521d7420e43f6eda2784f", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
byte[] byteArray0 = new byte[0];
String string0 = Checksum.byteToHex(byteArray0);
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
byte[] byteArray0 = new byte[1];
String string0 = Checksum.byteToHex(byteArray0);
assertEquals("00", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
boolean boolean0 = Checksum.verifyChecksum("50d26d7af8047b04ed6f47915c1adfd754e852fc", "50d26d7af8047b04ed6f47915c1adfd754e852fc");
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
boolean boolean0 = Checksum.verifyChecksum("da39a3ee5e6b4b0d3255bfef95601890afd80709", "yp$\"% g$~w3[KW@;flg");
assertFalse(boolean0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 15:41: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 Checksum_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Checksum";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpt84hje7v");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Checksum_ESTest_scaffolding.class.getClassLoader() ,
"Checksum"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Checksum_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Checksum"
);
}
}
| 1,065 |
FabricValidations | /**
* Copyright 2005-2014 Red Hat, Inc.
*
* <p>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
*
* <p>http://www.apache.org/licenses/LICENSE-2.0
*
* <p>Unless required by applicable law or agreed to in writing, software distributed under the
* License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either
* express or implied. See the License for the specific language governing permissions and
* limitations under the License.
*/
import java.util.Collection;
import java.util.List;
import java.util.regex.Pattern;
public final class FabricValidations {
// container name must be lower case only, and without dots
private static final Pattern ALLOWED_CONTAINER_NAMES_PATTERN =
Pattern.compile("^[a-z0-9]+[a-z0-9_-]*$");
// we allow using dot in profile names, and also mixed case
private static final Pattern ALLOWED_PROFILE_NAMES_PATTERN =
Pattern.compile("^[a-z0-9]+[\\.a-z0-9_-]*$");
private FabricValidations() {
// Utility Class
}
public static void validateProfileNames(Collection<String> profileNames) {
if (profileNames != null && !profileNames.isEmpty()) {
for (String profileName : profileNames) validateProfileName(profileName);
}
}
public static void validateProfileName(String profileName) {
if (!isValidProfileName(profileName)) {
throw new IllegalArgumentException(
"Profile name '"
+ profileName
+ "' is invalid. Profile name must be: lower-case letters, numbers, and . _ or -"
+ " characters");
}
}
public static void validateContainerNames(List<String> containerNames) {
if (containerNames != null && !containerNames.isEmpty()) {
for (String containerName : containerNames) {
validateContainerName(containerName);
}
}
}
public static void validateContainerName(String containerName) {
if (!isValidContainerName(containerName)) {
throw new IllegalArgumentException(
"Container name '"
+ containerName
+ "' is invalid. Container name must be: lower-case letters, numbers, and _ or -"
+ " characters");
}
}
/**
* @deprecated use {@link #isValidContainerName(String)}
*/
@Deprecated
public static boolean isValidName(String containerName) {
return isValidContainerName(containerName);
}
public static boolean isValidContainerName(String containerName) {
return containerName != null
&& !containerName.isEmpty()
&& ALLOWED_CONTAINER_NAMES_PATTERN.matcher(containerName).matches();
}
public static boolean isValidProfileName(String name) {
return name != null && !name.isEmpty() && ALLOWED_PROFILE_NAMES_PATTERN.matcher(name).matches();
}
}
| .version 52 0
.class public final super FabricValidations
.super java/lang/Object
.field private static final ALLOWED_CONTAINER_NAMES_PATTERN Ljava/util/regex/Pattern;
.field private static final ALLOWED_PROFILE_NAMES_PATTERN Ljava/util/regex/Pattern;
.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 30
L4 32
.end linenumbertable
.end code
.end method
.method public static validateProfileNames : (Ljava/util/Collection;)V
.code stack 1 locals 3
L0: aload_0
L1: ifnull L46
L4: aload_0
L5: invokeinterface InterfaceMethod java/util/Collection isEmpty ()Z 1
L10: ifne L46
L13: aload_0
L14: invokeinterface InterfaceMethod java/util/Collection iterator ()Ljava/util/Iterator; 1
L19: astore_1
.stack append Object java/util/Iterator
L20: aload_1
L21: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1
L26: ifeq L46
L29: aload_1
L30: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1
L35: checkcast java/lang/String
L38: astore_2
L39: aload_2
L40: invokestatic Method FabricValidations validateProfileName (Ljava/lang/String;)V
L43: goto L20
.stack chop 1
L46: return
L47:
.linenumbertable
L0 35
L13 36
L39 37
L46 39
.end linenumbertable
.end code
.signature (Ljava/util/Collection<Ljava/lang/String;>;)V
.end method
.method public static validateProfileName : (Ljava/lang/String;)V
.code stack 4 locals 1
L0: aload_0
L1: invokestatic Method FabricValidations isValidProfileName (Ljava/lang/String;)Z
L4: ifne L39
L7: new java/lang/IllegalArgumentException
L10: dup
L11: new java/lang/StringBuilder
L14: dup
L15: invokespecial Method java/lang/StringBuilder <init> ()V
L18: ldc "Profile name '"
L20: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L23: aload_0
L24: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L27: ldc "' is invalid. Profile name must be: lower-case letters, numbers, and . _ or - characters"
L29: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L32: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L35: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;)V
L38: athrow
.stack same
L39: return
L40:
.linenumbertable
L0 42
L7 43
L39 45
.end linenumbertable
.end code
.end method
.method public static validateContainerNames : (Ljava/util/List;)V
.code stack 1 locals 3
L0: aload_0
L1: ifnull L46
L4: aload_0
L5: invokeinterface InterfaceMethod java/util/List isEmpty ()Z 1
L10: ifne L46
L13: aload_0
L14: invokeinterface InterfaceMethod java/util/List iterator ()Ljava/util/Iterator; 1
L19: astore_1
.stack append Object java/util/Iterator
L20: aload_1
L21: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1
L26: ifeq L46
L29: aload_1
L30: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1
L35: checkcast java/lang/String
L38: astore_2
L39: aload_2
L40: invokestatic Method FabricValidations validateContainerName (Ljava/lang/String;)V
L43: goto L20
.stack chop 1
L46: return
L47:
.linenumbertable
L0 48
L13 49
L39 50
L43 51
L46 53
.end linenumbertable
.end code
.signature (Ljava/util/List<Ljava/lang/String;>;)V
.end method
.method public static validateContainerName : (Ljava/lang/String;)V
.code stack 4 locals 1
L0: aload_0
L1: invokestatic Method FabricValidations isValidContainerName (Ljava/lang/String;)Z
L4: ifne L39
L7: new java/lang/IllegalArgumentException
L10: dup
L11: new java/lang/StringBuilder
L14: dup
L15: invokespecial Method java/lang/StringBuilder <init> ()V
L18: ldc "Container name '"
L20: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L23: aload_0
L24: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L27: ldc "' is invalid. Container name must be: lower-case letters, numbers, and _ or - characters"
L29: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L32: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L35: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;)V
L38: athrow
.stack same
L39: return
L40:
.linenumbertable
L0 56
L7 57
L39 59
.end linenumbertable
.end code
.end method
.method public static isValidName : (Ljava/lang/String;)Z
.code stack 1 locals 1
L0: aload_0
L1: invokestatic Method FabricValidations isValidContainerName (Ljava/lang/String;)Z
L4: ireturn
L5:
.linenumbertable
L0 66
.end linenumbertable
.end code
.deprecated
.runtime visible annotations
.annotation Ljava/lang/Deprecated;
.end annotation
.end runtime
.end method
.method public static isValidContainerName : (Ljava/lang/String;)Z
.code stack 2 locals 1
L0: aload_0
L1: ifnull L28
L4: aload_0
L5: invokevirtual Method java/lang/String isEmpty ()Z
L8: ifne L28
L11: getstatic Field FabricValidations ALLOWED_CONTAINER_NAMES_PATTERN Ljava/util/regex/Pattern;
L14: aload_0
L15: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher;
L18: invokevirtual Method java/util/regex/Matcher matches ()Z
L21: ifeq L28
L24: iconst_1
L25: goto L29
.stack same
L28: iconst_0
.stack stack_1 Integer
L29: ireturn
L30:
.linenumbertable
L0 70
.end linenumbertable
.end code
.end method
.method public static isValidProfileName : (Ljava/lang/String;)Z
.code stack 2 locals 1
L0: aload_0
L1: ifnull L28
L4: aload_0
L5: invokevirtual Method java/lang/String isEmpty ()Z
L8: ifne L28
L11: getstatic Field FabricValidations ALLOWED_PROFILE_NAMES_PATTERN Ljava/util/regex/Pattern;
L14: aload_0
L15: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher;
L18: invokevirtual Method java/util/regex/Matcher matches ()Z
L21: ifeq L28
L24: iconst_1
L25: goto L29
.stack same
L28: iconst_0
.stack stack_1 Integer
L29: ireturn
L30:
.linenumbertable
L0 74
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 1 locals 0
L0: ldc '^[a-z0-9]+[a-z0-9_-]*$'
L2: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;)Ljava/util/regex/Pattern;
L5: putstatic Field FabricValidations ALLOWED_CONTAINER_NAMES_PATTERN Ljava/util/regex/Pattern;
L8: ldc '^[a-z0-9]+[\\.a-z0-9_-]*$'
L10: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;)Ljava/util/regex/Pattern;
L13: putstatic Field FabricValidations ALLOWED_PROFILE_NAMES_PATTERN Ljava/util/regex/Pattern;
L16: return
L17:
.linenumbertable
L0 25
L8 28
.end linenumbertable
.end code
.end method
.sourcefile 'FabricValidations.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 09:42:40 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.util.Collection;
import java.util.LinkedList;
import java.util.List;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class FabricValidations_ESTest extends FabricValidations_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
// Undeclared exception!
try {
FabricValidations.validateContainerName("v4ySFiJL\"Eat");
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// Container name 'v4ySFiJL\"Eat' is invalid. Container name must be: lower-case letters, numbers, and _ or - characters
//
verifyException("FabricValidations", e);
}
}
@Test(timeout = 4000)
public void test01() throws Throwable {
LinkedList<String> linkedList0 = new LinkedList<String>();
linkedList0.offerFirst("8");
linkedList0.add("hT cX<");
linkedList0.removeLast();
FabricValidations.validateContainerNames(linkedList0);
FabricValidations.validateContainerNames(linkedList0);
FabricValidations.isValidContainerName("h/pE6\":)\"V.");
// Undeclared exception!
try {
FabricValidations.validateProfileName("^[a-z0-9]+[a-z0-9_-]*$");
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// Profile name '^[a-z0-9]+[a-z0-9_-]*$' is invalid. Profile name must be: lower-case letters, numbers, and . _ or - characters
//
verifyException("FabricValidations", e);
}
}
@Test(timeout = 4000)
public void test02() throws Throwable {
boolean boolean0 = FabricValidations.isValidName("");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
boolean boolean0 = FabricValidations.isValidProfileName("e");
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
boolean boolean0 = FabricValidations.isValidProfileName("");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
boolean boolean0 = FabricValidations.isValidProfileName((String) null);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
boolean boolean0 = FabricValidations.isValidContainerName("^[a-z0-9]+[.a-z0-9_-]*$");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
boolean boolean0 = FabricValidations.isValidContainerName("0");
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
FabricValidations.validateContainerName("6u");
}
@Test(timeout = 4000)
public void test09() throws Throwable {
FabricValidations.validateProfileName("0");
}
@Test(timeout = 4000)
public void test10() throws Throwable {
boolean boolean0 = FabricValidations.isValidProfileName("C3$f:(X+^7)02vkD|I1");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
boolean boolean0 = FabricValidations.isValidContainerName("");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
boolean boolean0 = FabricValidations.isValidContainerName((String) null);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
LinkedList<String> linkedList0 = new LinkedList<String>();
linkedList0.add("k");
FabricValidations.validateContainerNames(linkedList0);
assertTrue(linkedList0.contains("k"));
}
@Test(timeout = 4000)
public void test14() throws Throwable {
LinkedList<String> linkedList0 = new LinkedList<String>();
FabricValidations.validateContainerNames(linkedList0);
assertEquals(0, linkedList0.size());
}
@Test(timeout = 4000)
public void test15() throws Throwable {
FabricValidations.validateContainerNames((List<String>) null);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
LinkedList<String> linkedList0 = new LinkedList<String>();
linkedList0.add("");
// Undeclared exception!
try {
FabricValidations.validateProfileNames(linkedList0);
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// Profile name '' is invalid. Profile name must be: lower-case letters, numbers, and . _ or - characters
//
verifyException("FabricValidations", e);
}
}
@Test(timeout = 4000)
public void test17() throws Throwable {
LinkedList<String> linkedList0 = new LinkedList<String>();
linkedList0.add("k");
FabricValidations.validateProfileNames(linkedList0);
assertEquals(1, linkedList0.size());
}
@Test(timeout = 4000)
public void test18() throws Throwable {
LinkedList<String> linkedList0 = new LinkedList<String>();
FabricValidations.validateProfileNames(linkedList0);
assertEquals(0, linkedList0.size());
}
@Test(timeout = 4000)
public void test19() throws Throwable {
FabricValidations.validateProfileNames((Collection<String>) null);
}
@Test(timeout = 4000)
public void test20() throws Throwable {
boolean boolean0 = FabricValidations.isValidName("k");
assertTrue(boolean0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 09:42: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 FabricValidations_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "FabricValidations";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp399c2nf3");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(FabricValidations_ESTest_scaffolding.class.getClassLoader() ,
"FabricValidations"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(FabricValidations_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"FabricValidations"
);
}
}
| 1,066 |
ChatFilter | public class ChatFilter {
// private String message;
// private String sender;
// private String content;
//
// public String getMessage() {
// return this.sender+" : "+this.content;
// }
//
// public void setMessage(String msg) {
// this.message=msg;
// }
public String rmScript(String msg) {
String ss = "";
if (msg.contains("<sc") || msg.contains("</sc")) {
ss = msg.replaceAll("<", "<");
} else {
ss = msg;
}
return ss;
}
// private void splitOr(String msg) {
// String[] msgs=msg.split("|");
// this.sender=msgs[0];
// this.content=msgs[1];
// }
}
| .version 52 0
.class public super ChatFilter
.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 rmScript : (Ljava/lang/String;)Ljava/lang/String;
.code stack 3 locals 3
L0: ldc ''
L2: astore_2
L3: aload_1
L4: ldc '<sc'
L6: invokevirtual Method java/lang/String contains (Ljava/lang/CharSequence;)Z
L9: ifne L21
L12: aload_1
L13: ldc '</sc'
L15: invokevirtual Method java/lang/String contains (Ljava/lang/CharSequence;)Z
L18: ifeq L33
.stack append Object java/lang/String
L21: aload_1
L22: ldc '<'
L24: ldc '<'
L26: invokevirtual Method java/lang/String replaceAll (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String;
L29: astore_2
L30: goto L35
.stack same
L33: aload_1
L34: astore_2
.stack same
L35: aload_2
L36: areturn
L37:
.linenumbertable
L0 18
L3 19
L21 20
L33 22
L35 24
.end linenumbertable
.end code
.end method
.sourcefile 'ChatFilter.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 17:47: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 ChatFilter_ESTest extends ChatFilter_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ChatFilter chatFilter0 = new ChatFilter();
String string0 = chatFilter0.rmScript("");
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
ChatFilter chatFilter0 = new ChatFilter();
String string0 = chatFilter0.rmScript(":</sc");
assertEquals(":</sc", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
ChatFilter chatFilter0 = new ChatFilter();
String string0 = chatFilter0.rmScript("<sc");
assertEquals("<sc", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 17:47: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 ChatFilter_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ChatFilter";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpuxlp2igc");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ChatFilter_ESTest_scaffolding.class.getClassLoader() ,
"ChatFilter"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ChatFilter_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ChatFilter"
);
}
}
| 1,067 |
NoDefaultConstructor | /**
* @author Lzj Created on 2015/12/18.
*/
public class NoDefaultConstructor {
private String name;
public NoDefaultConstructor(String name) {
this.name = name;
}
}
| .version 52 0
.class public super NoDefaultConstructor
.super java/lang/Object
.field private name Ljava/lang/String;
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field NoDefaultConstructor name Ljava/lang/String;
L9: return
L10:
.linenumbertable
L0 10
L4 11
L9 12
.end linenumbertable
.end code
.end method
.sourcefile 'NoDefaultConstructor.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 04:49: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 NoDefaultConstructor_ESTest extends NoDefaultConstructor_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
NoDefaultConstructor noDefaultConstructor0 = new NoDefaultConstructor("\".MU/y9UvPM(9BQ");
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 04:49: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 NoDefaultConstructor_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "NoDefaultConstructor";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp6dwt9kfe");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(NoDefaultConstructor_ESTest_scaffolding.class.getClassLoader() ,
"NoDefaultConstructor"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(NoDefaultConstructor_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"NoDefaultConstructor"
);
}
}
| 1,068 |
Categoria | public class Categoria {
private int id_cat;
private String nombre;
private String descripcion;
// public Categoria() {
//
// }
//
// public Categoria(int id_cat, String nombre, String descripcion) {
// this.id_cat = id_cat;
// this.nombre = nombre;
// this.descripcion = descripcion;
// }
public int getId_cat() {
return id_cat;
}
public void setId_cat(int id_cat) {
this.id_cat = id_cat;
}
public String getNombre() {
return nombre;
}
public void setNombre(String nombre) {
this.nombre = nombre;
}
public String getDescripcion() {
return descripcion;
}
public void setDescripcion(String descripcion) {
this.descripcion = descripcion;
}
public String toString() {
return "" + id_cat + "-" + nombre;
}
}
| .version 52 0
.class public super Categoria
.super java/lang/Object
.field private id_cat I
.field private nombre Ljava/lang/String;
.field private descripcion 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_cat : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Categoria id_cat I
L4: ireturn
L5:
.linenumbertable
L0 19
.end linenumbertable
.end code
.end method
.method public setId_cat : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field Categoria id_cat I
L5: return
L6:
.linenumbertable
L0 23
L5 24
.end linenumbertable
.end code
.end method
.method public getNombre : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Categoria nombre Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 27
.end linenumbertable
.end code
.end method
.method public setNombre : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Categoria nombre Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 31
L5 32
.end linenumbertable
.end code
.end method
.method public getDescripcion : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Categoria descripcion Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 35
.end linenumbertable
.end code
.end method
.method public setDescripcion : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Categoria descripcion Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 39
L5 40
.end linenumbertable
.end code
.end method
.method public toString : ()Ljava/lang/String;
.code stack 2 locals 1
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: ldc ''
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field Categoria id_cat I
L16: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L19: ldc '-'
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: aload_0
L25: getfield Field Categoria nombre Ljava/lang/String;
L28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L31: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L34: areturn
L35:
.linenumbertable
L0 43
.end linenumbertable
.end code
.end method
.sourcefile 'Categoria.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 10:14: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 Categoria_ESTest extends Categoria_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Categoria categoria0 = new Categoria();
categoria0.setNombre("Categoria");
String string0 = categoria0.getNombre();
assertEquals("Categoria", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Categoria categoria0 = new Categoria();
categoria0.setNombre("");
String string0 = categoria0.getNombre();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Categoria categoria0 = new Categoria();
categoria0.setId_cat((-33103));
int int0 = categoria0.getId_cat();
assertEquals((-33103), int0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Categoria categoria0 = new Categoria();
categoria0.setDescripcion("[k% gV44Oj,Jt3c");
String string0 = categoria0.getDescripcion();
assertEquals("[k% gV44Oj,Jt3c", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Categoria categoria0 = new Categoria();
categoria0.setId_cat(11);
int int0 = categoria0.getId_cat();
assertEquals(11, int0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Categoria categoria0 = new Categoria();
int int0 = categoria0.getId_cat();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
Categoria categoria0 = new Categoria();
categoria0.setDescripcion("");
String string0 = categoria0.getDescripcion();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
Categoria categoria0 = new Categoria();
String string0 = categoria0.getDescripcion();
assertNull(string0);
}
@Test(timeout = 4000)
public void test8() throws Throwable {
Categoria categoria0 = new Categoria();
String string0 = categoria0.getNombre();
assertNull(string0);
}
@Test(timeout = 4000)
public void test9() throws Throwable {
Categoria categoria0 = new Categoria();
String string0 = categoria0.toString();
assertEquals("0-null", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 10:14: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 Categoria_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Categoria";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpcb8dldhx");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Categoria_ESTest_scaffolding.class.getClassLoader() ,
"Categoria"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Categoria_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Categoria"
);
}
}
| 1,069 |
ImplementationError | public class ImplementationError extends Error {
public ImplementationError(String message) {
super(message);
}
}
| .version 52 0
.class public super ImplementationError
.super java/lang/Error
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/lang/Error <init> (Ljava/lang/String;)V
L5: return
L6:
.linenumbertable
L0 5
L5 6
.end linenumbertable
.end code
.end method
.sourcefile 'ImplementationError.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 04:16:54 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class ImplementationError_ESTest extends ImplementationError_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ImplementationError implementationError0 = new ImplementationError("ImplementationError");
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 04:16:54 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class ImplementationError_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ImplementationError";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpd05pknb5");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ImplementationError_ESTest_scaffolding.class.getClassLoader() ,
"ImplementationError"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ImplementationError_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ImplementationError"
);
}
}
| 1,070 |
CommonProxy | public class CommonProxy {}
| .version 52 0
.class public super CommonProxy
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 3
.end linenumbertable
.end code
.end method
.sourcefile 'CommonProxy.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 21:18: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 CommonProxy_ESTest extends CommonProxy_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
CommonProxy commonProxy0 = new CommonProxy();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 21:18: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 CommonProxy_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "CommonProxy";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp6pqn8r2y");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CommonProxy_ESTest_scaffolding.class.getClassLoader() ,
"CommonProxy"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CommonProxy_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"CommonProxy"
);
}
}
| 1,071 |
BuildConfig | /** Automatically generated file. DO NOT MODIFY */
public final class BuildConfig {
public static final boolean DEBUG = Boolean.parseBoolean("true");
public static final String APPLICATION_ID = "com.megotechnologies.ecommerce_retronight";
public static final String BUILD_TYPE = "debug";
public static final String FLAVOR = "";
public static final int VERSION_CODE = 8;
public static final String VERSION_NAME = "1.7";
}
| .version 52 0
.class public final super BuildConfig
.super java/lang/Object
.field public static final DEBUG Z
.field public static final APPLICATION_ID Ljava/lang/String; = 'com.megotechnologies.ecommerce_retronight'
.field public static final BUILD_TYPE Ljava/lang/String; = 'debug'
.field public static final FLAVOR Ljava/lang/String; = ''
.field public static final VERSION_CODE I = 8
.field public static final VERSION_NAME Ljava/lang/String; = '1.7'
.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 <clinit> : ()V
.code stack 1 locals 0
L0: ldc 'true'
L2: invokestatic Method java/lang/Boolean parseBoolean (Ljava/lang/String;)Z
L5: putstatic Field BuildConfig DEBUG Z
L8: return
L9:
.linenumbertable
L0 7
.end linenumbertable
.end code
.end method
.sourcefile 'BuildConfig.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 11:54: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 BuildConfig_ESTest extends BuildConfig_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
BuildConfig buildConfig0 = new BuildConfig();
assertTrue(BuildConfig.DEBUG);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 11:54: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 BuildConfig_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "BuildConfig";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpweir_k8o");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BuildConfig_ESTest_scaffolding.class.getClassLoader() ,
"BuildConfig"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BuildConfig_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"BuildConfig"
);
}
}
| 1,072 |
UserInput | /** */
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
/**
* @author Patrick Blesi
*/
public final class UserInput {
private InputStreamReader inputStreamReader;
private BufferedReader bufferedReader;
/** */
public UserInput() {
inputStreamReader = new InputStreamReader(System.in);
bufferedReader = new BufferedReader(inputStreamReader);
}
public Integer getInteger() {
return getInteger(Integer.MIN_VALUE, Integer.MAX_VALUE, false);
}
public Integer getInteger(int minVal, int maxVal, boolean allowDefault) {
// Generate warning if minVal == Integer.MIN_VALUE
Integer responseInt = null, returnInt = null;
while (returnInt == null) {
String response;
try {
response = bufferedReader.readLine();
} catch (IOException e1) {
System.out.println(e1);
continue;
}
if (allowDefault && response.equals("")) {
returnInt = Integer.MIN_VALUE;
} else {
try {
responseInt = Integer.parseInt(response);
} catch (NumberFormatException nfe) {
System.out.print("\nDoes not compute...Please enter another number: ");
continue;
}
if (responseInt < minVal || responseInt > maxVal) {
System.out.print("\nDoes not compute...Please enter another number: ");
continue;
}
returnInt = responseInt;
}
}
return returnInt;
}
public boolean getYesNo() {
while (true) {
String s = this.getString().toLowerCase();
if (s.equals("y") || s.equals("yes")) {
return true;
} else if (s.equals("n") || s.equals("no") || s.equals("")) {
return false;
} else {
System.out.print("\nDoes not compute...Please enter No or Yes: ");
continue;
}
}
}
public String getString() {
String response = null;
while (response == null) {
try {
response = bufferedReader.readLine();
} catch (IOException e1) {
System.out.println(e1);
continue;
}
}
return response;
}
public void close() {
try {
inputStreamReader.close();
bufferedReader.close();
} catch (IOException e) {
e.printStackTrace();
}
}
}
| .version 52 0
.class public final super UserInput
.super java/lang/Object
.field private inputStreamReader Ljava/io/InputStreamReader;
.field private bufferedReader Ljava/io/BufferedReader;
.method public <init> : ()V
.code stack 4 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: new java/io/InputStreamReader
L8: dup
L9: getstatic Field java/lang/System in Ljava/io/InputStream;
L12: invokespecial Method java/io/InputStreamReader <init> (Ljava/io/InputStream;)V
L15: putfield Field UserInput inputStreamReader Ljava/io/InputStreamReader;
L18: aload_0
L19: new java/io/BufferedReader
L22: dup
L23: aload_0
L24: getfield Field UserInput inputStreamReader Ljava/io/InputStreamReader;
L27: invokespecial Method java/io/BufferedReader <init> (Ljava/io/Reader;)V
L30: putfield Field UserInput bufferedReader Ljava/io/BufferedReader;
L33: return
L34:
.linenumbertable
L0 22
L4 24
L18 25
L33 27
.end linenumbertable
.end code
.end method
.method public getInteger : ()Ljava/lang/Integer;
.code stack 4 locals 1
L0: aload_0
L1: ldc -2147483648
L3: ldc 2147483647
L5: iconst_0
L6: invokevirtual Method UserInput getInteger (IIZ)Ljava/lang/Integer;
L9: areturn
L10:
.linenumbertable
L0 30
.end linenumbertable
.end code
.end method
.method public getInteger : (IIZ)Ljava/lang/Integer;
.code stack 2 locals 8
L0: aconst_null
L1: astore 4
L3: aconst_null
L4: astore 5
.stack append Object java/lang/Integer Object java/lang/Integer
L6: aload 5
L8: ifnonnull L122
.catch java/io/IOException from L11 to L20 using L23
L11: aload_0
L12: getfield Field UserInput bufferedReader Ljava/io/BufferedReader;
L15: invokevirtual Method java/io/BufferedReader readLine ()Ljava/lang/String;
L18: astore 6
L20: goto L36
.stack stack_1 Object java/io/IOException
L23: astore 7
L25: getstatic Field java/lang/System out Ljava/io/PrintStream;
L28: aload 7
L30: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V
L33: goto L6
.stack append Object java/lang/String
L36: iload_3
L37: ifeq L60
L40: aload 6
L42: ldc ''
L44: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L47: ifeq L60
L50: ldc -2147483648
L52: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L55: astore 5
L57: goto L119
.catch java/lang/NumberFormatException from L60 to L70 using L73
.stack same
L60: aload 6
L62: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I
L65: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L68: astore 4
L70: goto L86
.stack stack_1 Object java/lang/NumberFormatException
L73: astore 7
L75: getstatic Field java/lang/System out Ljava/io/PrintStream;
L78: ldc '\nDoes not compute...Please enter another number: '
L80: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V
L83: goto L6
.stack same
L86: aload 4
L88: invokevirtual Method java/lang/Integer intValue ()I
L91: iload_1
L92: if_icmplt L104
L95: aload 4
L97: invokevirtual Method java/lang/Integer intValue ()I
L100: iload_2
L101: if_icmple L115
.stack same
L104: getstatic Field java/lang/System out Ljava/io/PrintStream;
L107: ldc '\nDoes not compute...Please enter another number: '
L109: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V
L112: goto L6
.stack same
L115: aload 4
L117: astore 5
.stack chop 1
L119: goto L6
.stack same
L122: aload 5
L124: areturn
L125:
.linenumbertable
L0 37
L6 38
L11 43
L20 47
L23 44
L25 45
L33 46
L36 49
L50 50
L60 54
L70 58
L73 55
L75 56
L83 57
L86 60
L104 61
L112 62
L115 65
L119 69
L122 71
.end linenumbertable
.end code
.end method
.method public getYesNo : ()Z
.code stack 2 locals 2
.stack same
L0: aload_0
L1: invokevirtual Method UserInput getString ()Ljava/lang/String;
L4: invokevirtual Method java/lang/String toLowerCase ()Ljava/lang/String;
L7: astore_1
L8: aload_1
L9: ldc 'y'
L11: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L14: ifne L26
L17: aload_1
L18: ldc 'yes'
L20: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L23: ifeq L28
.stack append Object java/lang/String
L26: iconst_1
L27: ireturn
.stack same
L28: aload_1
L29: ldc 'n'
L31: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L34: ifne L55
L37: aload_1
L38: ldc 'no'
L40: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L43: ifne L55
L46: aload_1
L47: ldc ''
L49: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L52: ifeq L57
.stack same
L55: iconst_0
L56: ireturn
.stack same
L57: getstatic Field java/lang/System out Ljava/io/PrintStream;
L60: ldc '\nDoes not compute...Please enter No or Yes: '
L62: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V
L65: goto L0
L68:
.linenumbertable
L0 79
L8 81
L26 82
L28 83
L55 84
L57 86
L65 87
.end linenumbertable
.end code
.end method
.method public getString : ()Ljava/lang/String;
.code stack 2 locals 3
L0: aconst_null
L1: astore_1
.stack append Object java/lang/String
L2: aload_1
L3: ifnonnull L28
.catch java/io/IOException from L6 to L14 using L17
L6: aload_0
L7: getfield Field UserInput bufferedReader Ljava/io/BufferedReader;
L10: invokevirtual Method java/io/BufferedReader readLine ()Ljava/lang/String;
L13: astore_1
L14: goto L2
.stack stack_1 Object java/io/IOException
L17: astore_2
L18: getstatic Field java/lang/System out Ljava/io/PrintStream;
L21: aload_2
L22: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V
L25: goto L2
.stack same
L28: aload_1
L29: areturn
L30:
.linenumbertable
L0 96
L2 98
L6 101
L14 105
L17 102
L18 103
L25 104
L28 109
.end linenumbertable
.end code
.end method
.method public close : ()V
.code stack 1 locals 2
.catch java/io/IOException from L0 to L14 using L17
L0: aload_0
L1: getfield Field UserInput inputStreamReader Ljava/io/InputStreamReader;
L4: invokevirtual Method java/io/InputStreamReader close ()V
L7: aload_0
L8: getfield Field UserInput bufferedReader Ljava/io/BufferedReader;
L11: invokevirtual Method java/io/BufferedReader close ()V
L14: goto L22
.stack stack_1 Object java/io/IOException
L17: astore_1
L18: aload_1
L19: invokevirtual Method java/io/IOException printStackTrace ()V
.stack same
L22: return
L23:
.linenumbertable
L0 115
L7 116
L14 119
L17 117
L18 118
L22 120
.end linenumbertable
.end code
.end method
.sourcefile 'UserInput.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 22:10:49 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 UserInput_ESTest extends UserInput_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
UserInput userInput0 = new UserInput();
int int0 = (-37561);
// Undeclared exception!
userInput0.getYesNo();
}
@Test(timeout = 4000)
public void test1() throws Throwable {
UserInput userInput0 = new UserInput();
// Undeclared exception!
userInput0.getString();
}
@Test(timeout = 4000)
public void test2() throws Throwable {
UserInput userInput0 = new UserInput();
userInput0.close();
userInput0.close();
userInput0.close();
int int0 = 0;
// Undeclared exception!
userInput0.getString();
}
@Test(timeout = 4000)
public void test3() throws Throwable {
UserInput userInput0 = new UserInput();
int int0 = 21787;
userInput0.close();
// Undeclared exception!
userInput0.getInteger();
}
@Test(timeout = 4000)
public void test4() throws Throwable {
UserInput userInput0 = new UserInput();
int int0 = Integer.MAX_VALUE;
boolean boolean0 = true;
// Undeclared exception!
try {
userInput0.getInteger(0, Integer.MAX_VALUE, true);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
}
}
@Test(timeout = 4000)
public void test5() throws Throwable {
UserInput userInput0 = new UserInput();
int int0 = (-1);
int int1 = 0;
userInput0.close();
// Undeclared exception!
userInput0.getInteger((-1), 0, true);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
UserInput userInput0 = new UserInput();
boolean boolean0 = false;
// Undeclared exception!
userInput0.getInteger(1, 1, false);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 22:10:49 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class UserInput_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "UserInput";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
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/tmpwz5iuh6s");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(UserInput_ESTest_scaffolding.class.getClassLoader() ,
"UserInput"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UserInput_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"UserInput"
);
}
}
| 1,073 |
Group | import java.util.Set;
/**
* @author [email protected]
*/
public class Group implements Comparable<Group> {
private Long id;
private String name;
private Set<String> names;
public Long getId() {
return id;
}
public void setId(Long id) {
this.id = id;
}
public Set<String> getNames() {
return names;
}
public void setNames(Set<String> names) {
this.names = names;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
@Override
public int compareTo(Group group) {
if (getId() == null && group.getId() == null) {
return 0;
} else if (getId() == null) {
return group.getId().compareTo(getId());
} else {
return getId().compareTo(group.getId());
}
}
}
| .version 52 0
.class public super Group
.super java/lang/Object
.implements java/lang/Comparable
.field private id Ljava/lang/Long;
.field private name Ljava/lang/String;
.field private names Ljava/util/Set; .fieldattributes
.signature Ljava/util/Set<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 8
.end linenumbertable
.end code
.end method
.method public getId : ()Ljava/lang/Long;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Group id Ljava/lang/Long;
L4: areturn
L5:
.linenumbertable
L0 14
.end linenumbertable
.end code
.end method
.method public setId : (Ljava/lang/Long;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Group id Ljava/lang/Long;
L5: return
L6:
.linenumbertable
L0 18
L5 19
.end linenumbertable
.end code
.end method
.method public getNames : ()Ljava/util/Set;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Group names Ljava/util/Set;
L4: areturn
L5:
.linenumbertable
L0 22
.end linenumbertable
.end code
.signature ()Ljava/util/Set<Ljava/lang/String;>;
.end method
.method public setNames : (Ljava/util/Set;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Group names Ljava/util/Set;
L5: return
L6:
.linenumbertable
L0 26
L5 27
.end linenumbertable
.end code
.signature (Ljava/util/Set<Ljava/lang/String;>;)V
.end method
.method public getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Group name Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 30
.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 Group name Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 34
L5 35
.end linenumbertable
.end code
.end method
.method public compareTo : (LGroup;)I
.code stack 2 locals 2
L0: aload_0
L1: invokevirtual Method Group getId ()Ljava/lang/Long;
L4: ifnonnull L16
L7: aload_1
L8: invokevirtual Method Group getId ()Ljava/lang/Long;
L11: ifnonnull L16
L14: iconst_0
L15: ireturn
.stack same
L16: aload_0
L17: invokevirtual Method Group getId ()Ljava/lang/Long;
L20: ifnonnull L35
L23: aload_1
L24: invokevirtual Method Group getId ()Ljava/lang/Long;
L27: aload_0
L28: invokevirtual Method Group getId ()Ljava/lang/Long;
L31: invokevirtual Method java/lang/Long compareTo (Ljava/lang/Long;)I
L34: ireturn
.stack same
L35: aload_0
L36: invokevirtual Method Group getId ()Ljava/lang/Long;
L39: aload_1
L40: invokevirtual Method Group getId ()Ljava/lang/Long;
L43: invokevirtual Method java/lang/Long compareTo (Ljava/lang/Long;)I
L46: ireturn
L47:
.linenumbertable
L0 39
L14 40
L16 41
L23 42
L35 44
.end linenumbertable
.end code
.end method
.method public bridge synthetic compareTo : (Ljava/lang/Object;)I
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: checkcast Group
L5: invokevirtual Method Group compareTo (LGroup;)I
L8: ireturn
L9:
.linenumbertable
L0 8
.end linenumbertable
.end code
.end method
.signature Ljava/lang/Object;Ljava/lang/Comparable<LGroup;>;
.sourcefile 'Group.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 00:16:24 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.util.LinkedHashSet;
import java.util.Set;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Group_ESTest extends Group_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
Group group0 = new Group();
LinkedHashSet<String> linkedHashSet0 = new LinkedHashSet<String>();
linkedHashSet0.add("uCsKutnRQj^uy^a");
group0.setNames(linkedHashSet0);
Set<String> set0 = group0.getNames();
assertFalse(set0.isEmpty());
}
@Test(timeout = 4000)
public void test01() throws Throwable {
Group group0 = new Group();
group0.setName("uCsKutnRQj^uy^a");
String string0 = group0.getName();
assertEquals("uCsKutnRQj^uy^a", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
Group group0 = new Group();
Long long0 = new Long(0L);
group0.setId(long0);
Long long1 = group0.getId();
assertEquals(0L, (long)long1);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
Group group0 = new Group();
Long long0 = new Long(1L);
group0.setId(long0);
Long long1 = group0.getId();
assertEquals(1L, (long)long1);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
Group group0 = new Group();
Long long0 = new Long((-12L));
group0.setId(long0);
Long long1 = group0.getId();
assertEquals((-12L), (long)long1);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
Group group0 = new Group();
Long long0 = new Long(1534L);
group0.setId(long0);
Group group1 = new Group();
Long long1 = new Long(0L);
group1.setId(long1);
int int0 = group0.compareTo(group1);
assertEquals(1, int0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
Group group0 = new Group();
Long long0 = new Long((-1L));
group0.setId(long0);
Group group1 = new Group();
Long long1 = new Long(0L);
group1.setId(long1);
int int0 = group0.compareTo(group1);
assertEquals((-1), int0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
Group group0 = new Group();
Long long0 = group0.getId();
assertNull(long0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
Group group0 = new Group();
Group group1 = new Group();
Long long0 = new Long(15439L);
group1.setId(long0);
// Undeclared exception!
try {
group0.compareTo(group1);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("java.lang.Long", e);
}
}
@Test(timeout = 4000)
public void test09() throws Throwable {
Group group0 = new Group();
Long long0 = new Long(0);
group0.setId(long0);
int int0 = group0.compareTo(group0);
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
Group group0 = new Group();
Set<String> set0 = group0.getNames();
assertNull(set0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
Group group0 = new Group();
LinkedHashSet<String> linkedHashSet0 = new LinkedHashSet<String>();
group0.setNames(linkedHashSet0);
Set<String> set0 = group0.getNames();
assertEquals(0, set0.size());
}
@Test(timeout = 4000)
public void test12() throws Throwable {
Group group0 = new Group();
group0.setName("");
String string0 = group0.getName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
Group group0 = new Group();
String string0 = group0.getName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
Group group0 = new Group();
int int0 = group0.compareTo(group0);
assertEquals(0, int0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 00:16: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 Group_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Group";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpd8n9o4hd");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Group_ESTest_scaffolding.class.getClassLoader() ,
"Group"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Group_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Group"
);
}
}
| 1,074 |
P0010 | public class P0010 {
public static void main(String[] args) {
long prim = 3; // zu prüfende Zahl
long sum = 2;
int count = 1;
long startTime = System.currentTimeMillis();
while (prim < 2000000) {
if (isPrime(prim)) {
sum += prim;
count++;
}
prim += 2;
}
long endTime = System.currentTimeMillis();
long totalTime = endTime - startTime;
double time = (totalTime / 1000.0);
System.out.println("time in secs " + time);
System.out.println("count " + count);
System.out.println("sum of primes below 200000\n" + sum);
System.out.println(
"Warning!\n"
+ "Next step may take up to a minute\n"
+ "(or maybe more)\n"
+ "due to the amount of calculation needed!\n");
long[] pZahlen;
pZahlen = new long[2000000];
prim = 3; // zu prüfende Zahl
sum = 2;
pZahlen[0] = 2;
pZahlen[1] = 3;
startTime = System.currentTimeMillis();
for (int i = 1; i < pZahlen.length; ) {
if (isPrime(prim)) {
pZahlen[i] = prim;
sum += prim;
i++;
}
prim += 2;
}
endTime = System.currentTimeMillis();
totalTime = endTime - startTime;
time = (totalTime / 1000.0);
System.out.println("\ntime in secs " + time);
System.out.println("count " + 2000000);
System.out.println("sum of first 2000000 primes\n" + sum);
}
public static boolean isPrime(long number) {
boolean result = true;
for (long i = 2; i <= Math.sqrt(number); i += 2) {
if ((number % i) == 0) {
return false;
}
if (i == 2) {
i -= 1;
}
}
// System.out.println("prime2 " + number + " " + result);
return result;
}
}
| .version 52 0
.class public super P0010
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 3
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 4 locals 16
L0: ldc2_w 3L
L3: lstore_1
L4: ldc2_w 2L
L7: lstore_3
L8: iconst_1
L9: istore 5
L11: invokestatic Method java/lang/System currentTimeMillis ()J
L14: lstore 6
.stack full
locals Object [Ljava/lang/String; Long Long Integer Long
stack
.end stack
L16: lload_1
L17: ldc2_w 2000000L
L20: lcmp
L21: ifge L47
L24: lload_1
L25: invokestatic Method P0010 isPrime (J)Z
L28: ifeq L38
L31: lload_3
L32: lload_1
L33: ladd
L34: lstore_3
L35: iinc 5 1
.stack same
L38: lload_1
L39: ldc2_w 2L
L42: ladd
L43: lstore_1
L44: goto L16
.stack same
L47: invokestatic Method java/lang/System currentTimeMillis ()J
L50: lstore 8
L52: lload 8
L54: lload 6
L56: lsub
L57: lstore 10
L59: lload 10
L61: l2d
L62: ldc2_w +1000.0
L65: ddiv
L66: dstore 12
L68: getstatic Field java/lang/System out Ljava/io/PrintStream;
L71: new java/lang/StringBuilder
L74: dup
L75: invokespecial Method java/lang/StringBuilder <init> ()V
L78: ldc 'time in secs '
L80: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L83: dload 12
L85: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L88: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L91: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L94: getstatic Field java/lang/System out Ljava/io/PrintStream;
L97: new java/lang/StringBuilder
L100: dup
L101: invokespecial Method java/lang/StringBuilder <init> ()V
L104: ldc 'count '
L106: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L109: iload 5
L111: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L114: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L117: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L120: getstatic Field java/lang/System out Ljava/io/PrintStream;
L123: new java/lang/StringBuilder
L126: dup
L127: invokespecial Method java/lang/StringBuilder <init> ()V
L130: ldc 'sum of primes below 200000\n'
L132: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L135: lload_3
L136: invokevirtual Method java/lang/StringBuilder append (J)Ljava/lang/StringBuilder;
L139: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L142: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L145: getstatic Field java/lang/System out Ljava/io/PrintStream;
L148: ldc 'Warning!\nNext step may take up to a minute\n(or maybe more)\ndue to the amount of calculation needed!\n'
L150: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L153: ldc 2000000
L155: newarray long
L157: astore 14
L159: ldc2_w 3L
L162: lstore_1
L163: ldc2_w 2L
L166: lstore_3
L167: aload 14
L169: iconst_0
L170: ldc2_w 2L
L173: lastore
L174: aload 14
L176: iconst_1
L177: ldc2_w 3L
L180: lastore
L181: invokestatic Method java/lang/System currentTimeMillis ()J
L184: lstore 6
L186: iconst_1
L187: istore 15
.stack full
locals Object [Ljava/lang/String; Long Long Integer Long Long Long Double Object [J Integer
stack
.end stack
L189: iload 15
L191: aload 14
L193: arraylength
L194: if_icmpge L226
L197: lload_1
L198: invokestatic Method P0010 isPrime (J)Z
L201: ifeq L217
L204: aload 14
L206: iload 15
L208: lload_1
L209: lastore
L210: lload_3
L211: lload_1
L212: ladd
L213: lstore_3
L214: iinc 15 1
.stack same
L217: lload_1
L218: ldc2_w 2L
L221: ladd
L222: lstore_1
L223: goto L189
.stack chop 1
L226: invokestatic Method java/lang/System currentTimeMillis ()J
L229: lstore 8
L231: lload 8
L233: lload 6
L235: lsub
L236: lstore 10
L238: lload 10
L240: l2d
L241: ldc2_w +1000.0
L244: ddiv
L245: dstore 12
L247: getstatic Field java/lang/System out Ljava/io/PrintStream;
L250: new java/lang/StringBuilder
L253: dup
L254: invokespecial Method java/lang/StringBuilder <init> ()V
L257: ldc '\ntime in secs '
L259: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L262: dload 12
L264: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L267: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L270: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L273: getstatic Field java/lang/System out Ljava/io/PrintStream;
L276: ldc 'count 2000000'
L278: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L281: getstatic Field java/lang/System out Ljava/io/PrintStream;
L284: new java/lang/StringBuilder
L287: dup
L288: invokespecial Method java/lang/StringBuilder <init> ()V
L291: ldc 'sum of first 2000000 primes\n'
L293: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L296: lload_3
L297: invokevirtual Method java/lang/StringBuilder append (J)Ljava/lang/StringBuilder;
L300: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L303: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L306: return
L307:
.linenumbertable
L0 6
L4 7
L8 8
L11 10
L16 12
L24 13
L31 14
L35 15
L38 17
L47 20
L52 21
L59 22
L68 23
L94 24
L120 25
L145 26
L153 31
L159 32
L163 33
L167 34
L174 35
L181 37
L186 39
L197 40
L204 41
L210 42
L214 43
L217 45
L226 48
L231 49
L238 50
L247 51
L273 52
L281 53
L306 55
.end linenumbertable
.end code
.end method
.method public static isPrime : (J)Z
.code stack 4 locals 5
L0: iconst_1
L1: istore_2
L2: ldc2_w 2L
L5: lstore_3
.stack append Integer Long
L6: lload_3
L7: l2d
L8: lload_0
L9: l2d
L10: invokestatic Method java/lang/Math sqrt (D)D
L13: dcmpg
L14: ifgt L48
L17: lload_0
L18: lload_3
L19: lrem
L20: lconst_0
L21: lcmp
L22: ifne L27
L25: iconst_0
L26: ireturn
.stack same
L27: lload_3
L28: ldc2_w 2L
L31: lcmp
L32: ifne L39
L35: lload_3
L36: lconst_1
L37: lsub
L38: lstore_3
.stack same
L39: lload_3
L40: ldc2_w 2L
L43: ladd
L44: lstore_3
L45: goto L6
.stack chop 1
L48: iload_2
L49: ireturn
L50:
.linenumbertable
L0 59
L2 61
L17 63
L25 64
L27 66
L35 67
L39 61
L48 72
.end linenumbertable
.end code
.end method
.sourcefile 'P0010.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 15:29:03 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 P0010_ESTest extends P0010_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[2];
String string0 = "X?Jn9YEDZOE\"5~786t";
stringArray0[0] = "X?Jn9YEDZOE\"5~786t";
String string1 = "";
stringArray0[1] = "";
// Undeclared exception!
P0010.main(stringArray0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
P0010 p0010_0 = new P0010();
assertNotNull(p0010_0);
boolean boolean0 = P0010.isPrime((-85162L));
assertTrue(boolean0);
boolean boolean1 = P0010.isPrime(0L);
assertTrue(boolean1 == boolean0);
assertTrue(boolean1);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
P0010 p0010_0 = new P0010();
P0010.isPrime((-1L));
String[] stringArray0 = new String[5];
stringArray0[0] = "\ntime in secs ";
stringArray0[1] = "";
stringArray0[2] = "H";
stringArray0[3] = "";
stringArray0[4] = "";
// Undeclared exception!
P0010.main(stringArray0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 15:29: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 P0010_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "P0010";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpn_exav6l");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(P0010_ESTest_scaffolding.class.getClassLoader() ,
"P0010"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(P0010_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"P0010"
);
}
}
| 1,075 |
MergeSort31 | import java.util.Arrays;
import java.util.Collections;
public class MergeSort31 {
public static <T extends Comparable<T>> void sort(final T[] a) {
sortInternal(a, 0, a.length - 1);
Collections.reverse(Arrays.asList(a));
}
private static <T extends Comparable<T>> void sortInternal(
final T[] a, final int start, final int end) {
final int len = end - start + 1;
if (len < 2) {
return;
}
final int middle = start + len / 2;
sortInternal(a, start, middle - 1);
sortInternal(a, middle, end);
merge(a, start, middle - 1, middle, end);
}
private static <T extends Comparable<T>> void merge(
final T[] a, final int start1, final int end1, final int start2, final int end2) {
final int len = end2 - start1 + 1;
int s1 = end1;
int s2 = end2;
final Object[] tmp = new Object[len];
for (int i = len - 1; i >= 0; i--) {
if (s1 < start1) {
tmp[i] = a[s2--];
} else if (s2 < start2) {
tmp[i] = a[s1--];
} else if (a[s1].compareTo(a[s2]) < 0) {
tmp[i] = a[s1--];
} else {
tmp[i] = a[s2--];
}
}
s1 = start1;
for (final Object obj : tmp) {
a[s1++] = (T) obj;
}
}
}
| .version 52 0
.class public super MergeSort31
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 6
.end linenumbertable
.end code
.end method
.method public static sort : ([Ljava/lang/Comparable;)V
.code stack 4 locals 1
L0: aload_0
L1: iconst_0
L2: aload_0
L3: arraylength
L4: iconst_1
L5: isub
L6: invokestatic Method MergeSort31 sortInternal ([Ljava/lang/Comparable;II)V
L9: aload_0
L10: invokestatic Method java/util/Arrays asList ([Ljava/lang/Object;)Ljava/util/List;
L13: invokestatic Method java/util/Collections reverse (Ljava/util/List;)V
L16: return
L17:
.linenumbertable
L0 10
L9 11
L16 12
.end linenumbertable
.end code
.signature '<T::Ljava/lang/Comparable<TT;>;>([TT;)V'
.end method
.method private static sortInternal : ([Ljava/lang/Comparable;II)V
.code stack 5 locals 5
L0: iload_2
L1: iload_1
L2: isub
L3: iconst_1
L4: iadd
L5: istore_3
L6: iload_3
L7: iconst_2
L8: if_icmpge L12
L11: return
.stack append Integer
L12: iload_1
L13: iload_3
L14: iconst_2
L15: idiv
L16: iadd
L17: istore 4
L19: aload_0
L20: iload_1
L21: iload 4
L23: iconst_1
L24: isub
L25: invokestatic Method MergeSort31 sortInternal ([Ljava/lang/Comparable;II)V
L28: aload_0
L29: iload 4
L31: iload_2
L32: invokestatic Method MergeSort31 sortInternal ([Ljava/lang/Comparable;II)V
L35: aload_0
L36: iload_1
L37: iload 4
L39: iconst_1
L40: isub
L41: iload 4
L43: iload_2
L44: invokestatic Method MergeSort31 merge ([Ljava/lang/Comparable;IIII)V
L47: return
L48:
.linenumbertable
L0 16
L6 17
L11 18
L12 20
L19 22
L28 23
L35 25
L47 26
.end linenumbertable
.end code
.signature '<T::Ljava/lang/Comparable<TT;>;>([TT;II)V'
.end method
.method private static merge : ([Ljava/lang/Comparable;IIII)V
.code stack 4 locals 13
L0: iload 4
L2: iload_1
L3: isub
L4: iconst_1
L5: iadd
L6: istore 5
L8: iload_2
L9: istore 6
L11: iload 4
L13: istore 7
L15: iload 5
L17: anewarray java/lang/Object
L20: astore 8
L22: iload 5
L24: iconst_1
L25: isub
L26: istore 9
.stack full
locals Object [Ljava/lang/Comparable; Integer Integer Integer Integer Integer Integer Integer Object [Ljava/lang/Object; Integer
stack
.end stack
L28: iload 9
L30: iflt L124
L33: iload 6
L35: iload_1
L36: if_icmpge L54
L39: aload 8
L41: iload 9
L43: aload_0
L44: iload 7
L46: iinc 7 -1
L49: aaload
L50: aastore
L51: goto L118
.stack same
L54: iload 7
L56: iload_3
L57: if_icmpge L75
L60: aload 8
L62: iload 9
L64: aload_0
L65: iload 6
L67: iinc 6 -1
L70: aaload
L71: aastore
L72: goto L118
.stack same
L75: aload_0
L76: iload 6
L78: aaload
L79: aload_0
L80: iload 7
L82: aaload
L83: invokeinterface InterfaceMethod java/lang/Comparable compareTo (Ljava/lang/Object;)I 2
L88: ifge L106
L91: aload 8
L93: iload 9
L95: aload_0
L96: iload 6
L98: iinc 6 -1
L101: aaload
L102: aastore
L103: goto L118
.stack same
L106: aload 8
L108: iload 9
L110: aload_0
L111: iload 7
L113: iinc 7 -1
L116: aaload
L117: aastore
.stack same
L118: iinc 9 -1
L121: goto L28
.stack chop 1
L124: iload_1
L125: istore 6
L127: aload 8
L129: astore 9
L131: aload 9
L133: arraylength
L134: istore 10
L136: iconst_0
L137: istore 11
.stack append Object [Ljava/lang/Object; Integer Integer
L139: iload 11
L141: iload 10
L143: if_icmpge L171
L146: aload 9
L148: iload 11
L150: aaload
L151: astore 12
L153: aload_0
L154: iload 6
L156: iinc 6 1
L159: aload 12
L161: checkcast java/lang/Comparable
L164: aastore
L165: iinc 11 1
L168: goto L139
.stack chop 3
L171: return
L172:
.linenumbertable
L0 31
L8 32
L11 33
L15 34
L22 36
L33 37
L39 38
L54 39
L60 40
L75 41
L91 42
L106 44
L118 36
L124 48
L127 49
L153 50
L165 49
L171 52
.end linenumbertable
.end code
.signature '<T::Ljava/lang/Comparable<TT;>;>([TT;IIII)V'
.end method
.sourcefile 'MergeSort31.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 07:24:10 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class MergeSort31_ESTest extends MergeSort31_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[8];
stringArray0[0] = "MergeSort31";
stringArray0[1] = "f=ZHH7]s";
stringArray0[2] = "MergeSort31";
stringArray0[3] = "";
stringArray0[4] = ";&whXhIaR{0";
stringArray0[5] = "67XAag`pDW_W";
stringArray0[6] = "69B";
stringArray0[7] = "9mD5JXC}";
MergeSort31.sort(stringArray0);
assertEquals(8, stringArray0.length);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
String[] stringArray0 = new String[8];
stringArray0[0] = "MergeSort31";
stringArray0[1] = "f=ZHH7]s";
stringArray0[2] = "MergeSort31";
stringArray0[3] = "";
// Undeclared exception!
try {
MergeSort31.sort(stringArray0);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("MergeSort31", e);
}
}
@Test(timeout = 4000)
public void test2() throws Throwable {
String[] stringArray0 = new String[3];
stringArray0[0] = "";
stringArray0[1] = "";
stringArray0[2] = "2(Js!kQ:(eT!t}b";
MergeSort31.sort(stringArray0);
String[] stringArray1 = new String[2];
stringArray1[0] = "";
stringArray1[1] = "";
MergeSort31.sort(stringArray1);
MergeSort31.sort(stringArray0);
assertNotSame(stringArray0, stringArray1);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
String[] stringArray0 = new String[1];
MergeSort31.sort(stringArray0);
assertEquals(1, stringArray0.length);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
MergeSort31 mergeSort31_0 = new MergeSort31();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 07:24: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 MergeSort31_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "MergeSort31";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp03figot7");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MergeSort31_ESTest_scaffolding.class.getClassLoader() ,
"MergeSort31"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MergeSort31_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MergeSort31"
);
}
}
| 1,076 |
MailSmtpSrv | public class MailSmtpSrv {
private String from;
private String smtpServ;
private String smtpUser;
private String smtpPassword;
public String getFrom() {
return from;
}
public void setFrom(String from) {
this.from = from;
}
public String getSmtpServ() {
return smtpServ;
}
public void setSmtpServ(String smtpServ) {
this.smtpServ = smtpServ;
}
public String getSmtpUser() {
return smtpUser;
}
public void setSmtpUser(String smtpUser) {
this.smtpUser = smtpUser;
}
public String getSmtpPassword() {
return smtpPassword;
}
public void setSmtpPassword(String smtpPassword) {
this.smtpPassword = smtpPassword;
}
}
| .version 52 0
.class public super MailSmtpSrv
.super java/lang/Object
.field private from Ljava/lang/String;
.field private smtpServ Ljava/lang/String;
.field private smtpUser Ljava/lang/String;
.field private smtpPassword 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 getFrom : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MailSmtpSrv from Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 9
.end linenumbertable
.end code
.end method
.method public setFrom : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MailSmtpSrv from Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 12
L5 13
.end linenumbertable
.end code
.end method
.method public getSmtpServ : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MailSmtpSrv smtpServ Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 15
.end linenumbertable
.end code
.end method
.method public setSmtpServ : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MailSmtpSrv smtpServ Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 18
L5 19
.end linenumbertable
.end code
.end method
.method public getSmtpUser : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MailSmtpSrv smtpUser Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 21
.end linenumbertable
.end code
.end method
.method public setSmtpUser : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MailSmtpSrv smtpUser Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 24
L5 25
.end linenumbertable
.end code
.end method
.method public getSmtpPassword : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MailSmtpSrv smtpPassword Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 27
.end linenumbertable
.end code
.end method
.method public setSmtpPassword : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MailSmtpSrv smtpPassword Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 30
L5 31
.end linenumbertable
.end code
.end method
.sourcefile 'MailSmtpSrv.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 21:19: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 MailSmtpSrv_ESTest extends MailSmtpSrv_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
MailSmtpSrv mailSmtpSrv0 = new MailSmtpSrv();
mailSmtpSrv0.setSmtpUser("*&;j>|Z*-0_mo");
String string0 = mailSmtpSrv0.getSmtpUser();
assertEquals("*&;j>|Z*-0_mo", string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
MailSmtpSrv mailSmtpSrv0 = new MailSmtpSrv();
mailSmtpSrv0.setSmtpServ("+-<,r!6^uutB'cp");
String string0 = mailSmtpSrv0.getSmtpServ();
assertEquals("+-<,r!6^uutB'cp", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
MailSmtpSrv mailSmtpSrv0 = new MailSmtpSrv();
mailSmtpSrv0.setSmtpPassword("+-<,r!6^uutB'cp");
String string0 = mailSmtpSrv0.getSmtpPassword();
assertEquals("+-<,r!6^uutB'cp", string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
MailSmtpSrv mailSmtpSrv0 = new MailSmtpSrv();
mailSmtpSrv0.setFrom(">)aLV-JDDNu\u0007?K^,0");
String string0 = mailSmtpSrv0.getFrom();
assertEquals(">)aLV-JDDNu\u0007?K^,0", string0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
MailSmtpSrv mailSmtpSrv0 = new MailSmtpSrv();
String string0 = mailSmtpSrv0.getSmtpServ();
assertNull(string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
MailSmtpSrv mailSmtpSrv0 = new MailSmtpSrv();
mailSmtpSrv0.setSmtpServ("");
String string0 = mailSmtpSrv0.getSmtpServ();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
MailSmtpSrv mailSmtpSrv0 = new MailSmtpSrv();
mailSmtpSrv0.setSmtpUser("");
String string0 = mailSmtpSrv0.getSmtpUser();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
MailSmtpSrv mailSmtpSrv0 = new MailSmtpSrv();
String string0 = mailSmtpSrv0.getSmtpPassword();
assertNull(string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
MailSmtpSrv mailSmtpSrv0 = new MailSmtpSrv();
String string0 = mailSmtpSrv0.getFrom();
assertNull(string0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
MailSmtpSrv mailSmtpSrv0 = new MailSmtpSrv();
mailSmtpSrv0.setSmtpPassword("");
String string0 = mailSmtpSrv0.getSmtpPassword();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
MailSmtpSrv mailSmtpSrv0 = new MailSmtpSrv();
String string0 = mailSmtpSrv0.getSmtpUser();
assertNull(string0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
MailSmtpSrv mailSmtpSrv0 = new MailSmtpSrv();
mailSmtpSrv0.setFrom("");
String string0 = mailSmtpSrv0.getFrom();
assertEquals("", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 21:19: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 MailSmtpSrv_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "MailSmtpSrv";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp8je79x01");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MailSmtpSrv_ESTest_scaffolding.class.getClassLoader() ,
"MailSmtpSrv"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MailSmtpSrv_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MailSmtpSrv"
);
}
}
| 1,077 |
Rectangle | /** Created by andrey.sayants on 14.04.2016. */
public class Rectangle {
public double a;
public double b;
public Rectangle(double a, double b) {
this.a = a;
this.b = b;
}
public double area() {
return this.a * this.b;
}
}
| .version 52 0
.class public super Rectangle
.super java/lang/Object
.field public a D
.field public b 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 Rectangle a D
L9: aload_0
L10: dload_3
L11: putfield Field Rectangle b D
L14: return
L15:
.linenumbertable
L0 11
L4 12
L9 13
L14 14
.end linenumbertable
.end code
.end method
.method public area : ()D
.code stack 4 locals 1
L0: aload_0
L1: getfield Field Rectangle a D
L4: aload_0
L5: getfield Field Rectangle b D
L8: dmul
L9: dreturn
L10:
.linenumbertable
L0 17
.end linenumbertable
.end code
.end method
.sourcefile 'Rectangle.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 14:34:46 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Rectangle_ESTest extends Rectangle_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Rectangle rectangle0 = new Rectangle(0.0, 0.0);
double double0 = rectangle0.area();
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Rectangle rectangle0 = new Rectangle(49510.58702972, 49510.58702972);
double double0 = rectangle0.area();
assertEquals(2.4512982280274787E9, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Rectangle rectangle0 = new Rectangle((-51944.85042332), 13753.732131261268);
double double0 = rectangle0.area();
assertEquals((-7.144355583207767E8), double0, 1.0E-4);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 14:34:46 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Rectangle_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Rectangle";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp4ci0ve8d");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Rectangle_ESTest_scaffolding.class.getClassLoader() ,
"Rectangle"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Rectangle_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Rectangle"
);
}
}
| 1,078 |
Geometria | public abstract class Geometria {
public abstract double perimetro();
public abstract double area();
}
| .version 52 0
.class public super abstract Geometria
.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 abstract perimetro : ()D
.end method
.method public abstract area : ()D
.end method
.sourcefile 'Geometria.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 02:34: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 Geometria_ESTest extends Geometria_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 02:34:24 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 Geometria_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 = "Geometria";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.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(Geometria_ESTest_scaffolding.class.getClassLoader() ,
"Geometria"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Geometria_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Geometria"
);
}
}
| 1,079 |
Notification | public class Notification {
private String type;
private String address;
private String description;
public void setType(String type) {
this.type = type;
}
public void setAddress(String address) {
this.address = address;
}
public void setDescription(String description) {
this.description = description;
}
public String getType() {
return this.type;
}
public String getAddress() {
return this.address;
}
public String getDescription() {
return this.description;
}
}
| .version 52 0
.class public super Notification
.super java/lang/Object
.field private type Ljava/lang/String;
.field private address Ljava/lang/String;
.field private description 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 setType : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Notification type Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 9
L5 10
.end linenumbertable
.end code
.end method
.method public setAddress : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Notification address Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 13
L5 14
.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 Notification description Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 17
L5 18
.end linenumbertable
.end code
.end method
.method public getType : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Notification type Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 21
.end linenumbertable
.end code
.end method
.method public getAddress : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Notification address Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 25
.end linenumbertable
.end code
.end method
.method public getDescription : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Notification description Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 29
.end linenumbertable
.end code
.end method
.sourcefile 'Notification.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 02:39: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 Notification_ESTest extends Notification_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Notification notification0 = new Notification();
notification0.setType("C0Y9_M@sS(Ng+");
String string0 = notification0.getType();
assertEquals("C0Y9_M@sS(Ng+", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Notification notification0 = new Notification();
notification0.setDescription("oQ");
String string0 = notification0.getDescription();
assertEquals("oQ", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Notification notification0 = new Notification();
notification0.setAddress("SWs#e@hOVKh\"fMB=[");
String string0 = notification0.getAddress();
assertEquals("SWs#e@hOVKh\"fMB=[", string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Notification notification0 = new Notification();
notification0.setDescription("");
String string0 = notification0.getDescription();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Notification notification0 = new Notification();
notification0.setAddress("");
String string0 = notification0.getAddress();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Notification notification0 = new Notification();
String string0 = notification0.getDescription();
assertNull(string0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
Notification notification0 = new Notification();
String string0 = notification0.getType();
assertNull(string0);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
Notification notification0 = new Notification();
notification0.setType("");
String string0 = notification0.getType();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test8() throws Throwable {
Notification notification0 = new Notification();
String string0 = notification0.getAddress();
assertNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 02:39: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 Notification_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Notification";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp3w5r0a0o");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Notification_ESTest_scaffolding.class.getClassLoader() ,
"Notification"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Notification_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Notification"
);
}
}
| 1,080 |
ExtractNumberSimilarity | public class ExtractNumberSimilarity {
private String vector1;
private String vector2;
private double score;
public ExtractNumberSimilarity() {}
public ExtractNumberSimilarity(String vector1, String vector2, double score) {
this.vector1 = vector1;
this.vector2 = vector2;
this.score = score;
}
public void setVector1(String vector1) {
this.vector1 = vector1;
}
public String getVector1() {
return this.vector1;
}
public void setVecor2(String vector2) {
this.vector2 = vector2;
}
public String getVector2() {
return this.vector2;
}
public void setScore(double score) {
this.score = score;
}
public double getScore() {
return this.score;
}
}
| .version 52 0
.class public super ExtractNumberSimilarity
.super java/lang/Object
.field private vector1 Ljava/lang/String;
.field private vector2 Ljava/lang/String;
.field private score 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 9
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;Ljava/lang/String;D)V
.code stack 3 locals 5
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field ExtractNumberSimilarity vector1 Ljava/lang/String;
L9: aload_0
L10: aload_2
L11: putfield Field ExtractNumberSimilarity vector2 Ljava/lang/String;
L14: aload_0
L15: dload_3
L16: putfield Field ExtractNumberSimilarity score D
L19: return
L20:
.linenumbertable
L0 12
L4 13
L9 14
L14 15
L19 16
.end linenumbertable
.end code
.end method
.method public setVector1 : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field ExtractNumberSimilarity vector1 Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 20
L5 21
.end linenumbertable
.end code
.end method
.method public getVector1 : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ExtractNumberSimilarity vector1 Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 24
.end linenumbertable
.end code
.end method
.method public setVecor2 : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field ExtractNumberSimilarity vector2 Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 29
L5 30
.end linenumbertable
.end code
.end method
.method public getVector2 : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ExtractNumberSimilarity vector2 Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 33
.end linenumbertable
.end code
.end method
.method public setScore : (D)V
.code stack 3 locals 3
L0: aload_0
L1: dload_1
L2: putfield Field ExtractNumberSimilarity score D
L5: return
L6:
.linenumbertable
L0 37
L5 38
.end linenumbertable
.end code
.end method
.method public getScore : ()D
.code stack 2 locals 1
L0: aload_0
L1: getfield Field ExtractNumberSimilarity score D
L4: dreturn
L5:
.linenumbertable
L0 41
.end linenumbertable
.end code
.end method
.sourcefile 'ExtractNumberSimilarity.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 05: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 ExtractNumberSimilarity_ESTest extends ExtractNumberSimilarity_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ExtractNumberSimilarity extractNumberSimilarity0 = new ExtractNumberSimilarity();
String string0 = extractNumberSimilarity0.getVector2();
assertNull(string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
ExtractNumberSimilarity extractNumberSimilarity0 = new ExtractNumberSimilarity("ExtractNumberSimilarity", "", (-22510.59097911073));
extractNumberSimilarity0.getVector2();
assertEquals((-22510.59097911073), extractNumberSimilarity0.getScore(), 1.0E-4);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
ExtractNumberSimilarity extractNumberSimilarity0 = new ExtractNumberSimilarity();
extractNumberSimilarity0.setVector1("");
String string0 = extractNumberSimilarity0.getVector1();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
ExtractNumberSimilarity extractNumberSimilarity0 = new ExtractNumberSimilarity("ExtractNumberSimilarity", "", (-22510.59097911073));
double double0 = extractNumberSimilarity0.getScore();
assertEquals((-22510.59097911073), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
ExtractNumberSimilarity extractNumberSimilarity0 = new ExtractNumberSimilarity();
String string0 = extractNumberSimilarity0.getVector1();
assertNull(string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
ExtractNumberSimilarity extractNumberSimilarity0 = new ExtractNumberSimilarity();
extractNumberSimilarity0.setVector1("{d|O5YVx_U2+DSN");
String string0 = extractNumberSimilarity0.getVector1();
assertEquals("{d|O5YVx_U2+DSN", string0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
ExtractNumberSimilarity extractNumberSimilarity0 = new ExtractNumberSimilarity();
double double0 = extractNumberSimilarity0.getScore();
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
ExtractNumberSimilarity extractNumberSimilarity0 = new ExtractNumberSimilarity("", "oIcifS3iex}[", 1.0);
extractNumberSimilarity0.getVector2();
assertEquals(1.0, extractNumberSimilarity0.getScore(), 1.0E-4);
}
@Test(timeout = 4000)
public void test8() throws Throwable {
ExtractNumberSimilarity extractNumberSimilarity0 = new ExtractNumberSimilarity();
extractNumberSimilarity0.setScore(101520.074525611);
double double0 = extractNumberSimilarity0.getScore();
assertEquals(101520.074525611, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test9() throws Throwable {
ExtractNumberSimilarity extractNumberSimilarity0 = new ExtractNumberSimilarity();
extractNumberSimilarity0.setVecor2("UK<Z<1esF$H>TF?]?");
assertEquals(0.0, extractNumberSimilarity0.getScore(), 1.0E-4);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 05: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 ExtractNumberSimilarity_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ExtractNumberSimilarity";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp5ojulr6l");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ExtractNumberSimilarity_ESTest_scaffolding.class.getClassLoader() ,
"ExtractNumberSimilarity"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ExtractNumberSimilarity_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ExtractNumberSimilarity"
);
}
}
| 1,081 |
Solution | // Solution: Counting
// Time complexity: O(n^2 + n*max(A))
// Space complexity: O(max(A))
class Solution {
// 用map和数组都可以 不过数组快近10倍
// 两个数&会变小 一个数&0 为0
public int countTriplets(int[] A) {
// Map<Integer, Integer> count = new HashMap<>();
int max = 0;
for (int a : A) {
if (a > max) {
max = a;
}
}
int[] count = new int[max + 1];
for (int a : A) {
for (int b : A) {
// if (count.containsKey(a & b)) {
// int num = count.get(a & b);
// count.put(a & b, ++num);
// } else {
// count.put(a & b, 1);
// }
++count[a & b];
}
}
int ans = 0;
for (int a : A) {
// for (Map.Entry<Integer, Integer> entry : count.entrySet()) { //value 在[0, max(A)) 之间
// if ((a & entry.getKey()) == 0) { //(a & entry.getKey()) 这里外面必须要括号才能编译通过
// ans += entry.getValue();
// }
// }
for (int i = 0; i < count.length; ++i) {
if ((a & i) == 0) {
ans += count[i];
}
}
}
return ans;
}
}
| .version 52 0
.class super Solution
.super java/lang/Object
.method <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 4
.end linenumbertable
.end code
.end method
.method public countTriplets : ([I)I
.code stack 4 locals 12
L0: iconst_0
L1: istore_2
L2: aload_1
L3: astore_3
L4: aload_3
L5: arraylength
L6: istore 4
L8: iconst_0
L9: istore 5
.stack full
locals Object Solution Object [I Integer Object [I Integer Integer
stack
.end stack
L11: iload 5
L13: iload 4
L15: if_icmpge L39
L18: aload_3
L19: iload 5
L21: iaload
L22: istore 6
L24: iload 6
L26: iload_2
L27: if_icmple L33
L30: iload 6
L32: istore_2
.stack same
L33: iinc 5 1
L36: goto L11
.stack chop 3
L39: iload_2
L40: iconst_1
L41: iadd
L42: newarray int
L44: astore_3
L45: aload_1
L46: astore 4
L48: aload 4
L50: arraylength
L51: istore 5
L53: iconst_0
L54: istore 6
.stack full
locals Object Solution Object [I Integer Object [I Object [I Integer Integer
stack
.end stack
L56: iload 6
L58: iload 5
L60: if_icmpge L118
L63: aload 4
L65: iload 6
L67: iaload
L68: istore 7
L70: aload_1
L71: astore 8
L73: aload 8
L75: arraylength
L76: istore 9
L78: iconst_0
L79: istore 10
.stack full
locals Object Solution Object [I Integer Object [I Object [I Integer Integer Integer Object [I Integer Integer
stack
.end stack
L81: iload 10
L83: iload 9
L85: if_icmpge L112
L88: aload 8
L90: iload 10
L92: iaload
L93: istore 11
L95: aload_3
L96: iload 7
L98: iload 11
L100: iand
L101: dup2
L102: iaload
L103: iconst_1
L104: iadd
L105: iastore
L106: iinc 10 1
L109: goto L81
.stack full
locals Object Solution Object [I Integer Object [I Object [I Integer Integer
stack
.end stack
L112: iinc 6 1
L115: goto L56
.stack chop 3
L118: iconst_0
L119: istore 4
L121: aload_1
L122: astore 5
L124: aload 5
L126: arraylength
L127: istore 6
L129: iconst_0
L130: istore 7
.stack full
locals Object Solution Object [I Integer Object [I Integer Object [I Integer Integer
stack
.end stack
L132: iload 7
L134: iload 6
L136: if_icmpge L185
L139: aload 5
L141: iload 7
L143: iaload
L144: istore 8
L146: iconst_0
L147: istore 9
.stack append Integer Integer
L149: iload 9
L151: aload_3
L152: arraylength
L153: if_icmpge L179
L156: iload 8
L158: iload 9
L160: iand
L161: ifne L173
L164: iload 4
L166: aload_3
L167: iload 9
L169: iaload
L170: iadd
L171: istore 4
.stack same
L173: iinc 9 1
L176: goto L149
.stack chop 2
L179: iinc 7 1
L182: goto L132
.stack chop 3
L185: iload 4
L187: ireturn
L188:
.linenumbertable
L0 9
L2 10
L24 11
L30 12
L33 10
L39 15
L45 16
L70 17
L95 24
L106 17
L112 16
L118 27
L121 28
L146 34
L156 35
L164 36
L173 34
L179 28
L185 40
.end linenumbertable
.end code
.end method
.sourcefile 'Solution.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 03:51: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 Solution_ESTest extends Solution_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Solution solution0 = new Solution();
int[] intArray0 = new int[7];
intArray0[4] = 1;
int int0 = solution0.countTriplets(intArray0);
assertEquals(342, int0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Solution solution0 = new Solution();
int[] intArray0 = new int[0];
solution0.countTriplets(intArray0);
int[] intArray1 = new int[7];
intArray1[4] = 1;
int int0 = solution0.countTriplets(intArray1);
assertEquals(342, int0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 03:51: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 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/tmpbdqlyij_");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Solution_ESTest_scaffolding.class.getClassLoader() ,
"Solution"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Solution_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Solution"
);
}
}
| 1,082 |
ReflectionUtility | import java.lang.reflect.Field;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.List;
public final class ReflectionUtility {
private static List<Field> getAllFields(List<Field> fields, Class<?> type) {
fields.addAll(Arrays.asList(type.getDeclaredFields()));
if (type.getSuperclass() != null) {
fields = getAllFields(fields, type.getSuperclass());
}
return fields;
}
public static List<Field> getAllFields(Class<?> type) {
return getAllFields(new ArrayList<>(), type);
}
}
| .version 52 0
.class public final super ReflectionUtility
.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 private static getAllFields : (Ljava/util/List;Ljava/lang/Class;)Ljava/util/List;
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokevirtual Method java/lang/Class getDeclaredFields ()[Ljava/lang/reflect/Field;
L5: invokestatic Method java/util/Arrays asList ([Ljava/lang/Object;)Ljava/util/List;
L8: invokeinterface InterfaceMethod java/util/List addAll (Ljava/util/Collection;)Z 2
L13: pop
L14: aload_1
L15: invokevirtual Method java/lang/Class getSuperclass ()Ljava/lang/Class;
L18: ifnull L30
L21: aload_0
L22: aload_1
L23: invokevirtual Method java/lang/Class getSuperclass ()Ljava/lang/Class;
L26: invokestatic Method ReflectionUtility getAllFields (Ljava/util/List;Ljava/lang/Class;)Ljava/util/List;
L29: astore_0
.stack same
L30: aload_0
L31: areturn
L32:
.linenumbertable
L0 11
L14 12
L21 13
L30 15
.end linenumbertable
.end code
.signature (Ljava/util/List<Ljava/lang/reflect/Field;>;Ljava/lang/Class<*>;)Ljava/util/List<Ljava/lang/reflect/Field;>;
.end method
.method public static getAllFields : (Ljava/lang/Class;)Ljava/util/List;
.code stack 2 locals 1
L0: new java/util/ArrayList
L3: dup
L4: invokespecial Method java/util/ArrayList <init> ()V
L7: aload_0
L8: invokestatic Method ReflectionUtility getAllFields (Ljava/util/List;Ljava/lang/Class;)Ljava/util/List;
L11: areturn
L12:
.linenumbertable
L0 19
.end linenumbertable
.end code
.signature (Ljava/lang/Class<*>;)Ljava/util/List<Ljava/lang/reflect/Field;>;
.end method
.sourcefile 'ReflectionUtility.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 10:18:45 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.lang.reflect.Field;
import java.util.List;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class ReflectionUtility_ESTest extends ReflectionUtility_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Class<Object> class0 = Object.class;
List<Field> list0 = ReflectionUtility.getAllFields(class0);
assertTrue(list0.isEmpty());
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Class<String> class0 = String.class;
List<Field> list0 = ReflectionUtility.getAllFields(class0);
assertEquals(5, list0.size());
}
@Test(timeout = 4000)
public void test2() throws Throwable {
ReflectionUtility reflectionUtility0 = new ReflectionUtility();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 10:18:45 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class ReflectionUtility_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ReflectionUtility";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpejc0l26a");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ReflectionUtility_ESTest_scaffolding.class.getClassLoader() ,
"ReflectionUtility"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ReflectionUtility_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ReflectionUtility"
);
}
}
| 1,083 |
QueryProcessor | /** Created by Çelebi Murat on 05/11/15. */
public class QueryProcessor {}
| .version 52 0
.class public super QueryProcessor
.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 'QueryProcessor.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 12:06: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 QueryProcessor_ESTest extends QueryProcessor_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
QueryProcessor queryProcessor0 = new QueryProcessor();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 12:06: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 QueryProcessor_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "QueryProcessor";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmptz9cjmvf");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(QueryProcessor_ESTest_scaffolding.class.getClassLoader() ,
"QueryProcessor"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(QueryProcessor_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"QueryProcessor"
);
}
}
| 1,084 |
ContextPOJO | /**
* Copyright (C) 2012 - present by OpenGamma Inc. and the OpenGamma group of companies
*
* <p>Please see distribution for license.
*/
/** Mock class. */
public class ContextPOJO {
private double _value;
/** */
public ContextPOJO() {}
/**
* @return the value
*/
public double getValue() {
return _value;
}
/**
* @param value the value
*/
public void setValue(final double value) {
this._value = value;
}
}
| .version 52 0
.class public super ContextPOJO
.super java/lang/Object
.field private _value 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 18
L4 19
.end linenumbertable
.end code
.end method
.method public getValue : ()D
.code stack 2 locals 1
L0: aload_0
L1: getfield Field ContextPOJO _value D
L4: dreturn
L5:
.linenumbertable
L0 25
.end linenumbertable
.end code
.end method
.method public setValue : (D)V
.code stack 3 locals 3
L0: aload_0
L1: dload_1
L2: putfield Field ContextPOJO _value D
L5: return
L6:
.linenumbertable
L0 33
L5 34
.end linenumbertable
.end code
.end method
.sourcefile 'ContextPOJO.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 12:14:51 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class ContextPOJO_ESTest extends ContextPOJO_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ContextPOJO contextPOJO0 = new ContextPOJO();
contextPOJO0.setValue(4593.908535459937);
double double0 = contextPOJO0.getValue();
assertEquals(4593.908535459937, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
ContextPOJO contextPOJO0 = new ContextPOJO();
contextPOJO0.setValue((-52506.92));
double double0 = contextPOJO0.getValue();
assertEquals((-52506.92), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
ContextPOJO contextPOJO0 = new ContextPOJO();
double double0 = contextPOJO0.getValue();
assertEquals(0.0, double0, 1.0E-4);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 12:14: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 ContextPOJO_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ContextPOJO";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpnbjkvdtp");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ContextPOJO_ESTest_scaffolding.class.getClassLoader() ,
"ContextPOJO"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ContextPOJO_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ContextPOJO"
);
}
}
| 1,085 |
Submarine | /* File: Submarine.java
Instructions to draw a Submarine on the screen.
*/
import java.awt.*;
public class Submarine {
/**
* Constructs a submarine with a given top left corner.
*
* @param x the x-coordinate of the top left corner
* @param y the y-coordinate of the top left corner
*/
public static void paint(Graphics g, int xLeft, int yTop, char direction) {
if (direction == 'v') paintVertical(g, xLeft, yTop);
if (direction == 'h') paintHorizontal(g, xLeft, yTop);
}
private static void paintHorizontal(Graphics g, int xLeft, int yTop) {
Color navyGrey = new Color(180, 180, 180);
g.setColor(navyGrey);
// Shape of Submarine
g.fillOval(xLeft, yTop, 60, 20);
// Detail of the Sub
g.setColor(Color.black);
g.drawOval(xLeft, yTop, 60, 20); // Outline of the submarine
g.drawOval(xLeft + 5, yTop + 5, 10, 10);
g.setColor(navyGrey);
g.fillRect(xLeft + 10, yTop + 5, 6, 10);
// Torpedo Tubes
g.setColor(Color.black);
g.fillOval(xLeft + 10, yTop + 8, 2, 2);
g.fillOval(xLeft + 10, yTop + 12, 2, 2);
// Spine of Ship
g.drawLine(xLeft + 10, yTop + 5, xLeft + 50, yTop + 5);
g.drawLine(xLeft + 10, yTop + 15, xLeft + 50, yTop + 15);
g.drawLine(xLeft + 15, yTop + 10, xLeft + 45, yTop + 10);
g.drawLine(xLeft + 50, yTop + 5, xLeft + 55, yTop + 10);
g.drawLine(xLeft + 50, yTop + 15, xLeft + 55, yTop + 10);
// Tail Fin
g.drawLine(xLeft + 60, yTop + 5, xLeft + 60, yTop + 15);
}
private static void paintVertical(Graphics g, int xLeft, int yTop) {
Color navyGrey = new Color(180, 180, 180);
g.setColor(navyGrey);
// Shape of Submarine
g.fillOval(xLeft, yTop, 20, 60);
// Detail of the Sub
g.setColor(Color.black);
g.drawOval(xLeft, yTop, 20, 60); // Outline of the submarine
g.drawOval(xLeft + 5, yTop + 5, 10, 10);
g.setColor(navyGrey);
g.fillRect(xLeft + 5, yTop + 10, 10, 6);
g.setColor(Color.black);
// Torpedo Tubes
g.fillOval(xLeft + 7, yTop + 10, 2, 2);
g.fillOval(xLeft + 11, yTop + 10, 2, 2);
// Tail Fins
g.drawLine(xLeft + 5, yTop + 10, xLeft + 5, yTop + 50);
g.drawLine(xLeft + 15, yTop + 10, xLeft + 15, yTop + 50);
g.drawLine(xLeft + 10, yTop + 15, xLeft + 10, yTop + 45);
g.drawLine(xLeft + 5, yTop + 50, xLeft + 10, yTop + 55);
g.drawLine(xLeft + 15, yTop + 50, xLeft + 10, yTop + 55);
g.drawLine(xLeft + 5, yTop + 60, xLeft + 15, yTop + 60);
}
}
| .version 52 0
.class public super Submarine
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 8
.end linenumbertable
.end code
.end method
.method public static paint : (Ljava/awt/Graphics;IIC)V
.code stack 3 locals 4
L0: iload_3
L1: bipush 118
L3: if_icmpne L12
L6: aload_0
L7: iload_1
L8: iload_2
L9: invokestatic Method Submarine paintVertical (Ljava/awt/Graphics;II)V
.stack same
L12: iload_3
L13: bipush 104
L15: if_icmpne L24
L18: aload_0
L19: iload_1
L20: iload_2
L21: invokestatic Method Submarine paintHorizontal (Ljava/awt/Graphics;II)V
.stack same
L24: return
L25:
.linenumbertable
L0 17
L12 18
L24 19
.end linenumbertable
.end code
.end method
.method private static paintHorizontal : (Ljava/awt/Graphics;II)V
.code stack 6 locals 4
L0: new java/awt/Color
L3: dup
L4: sipush 180
L7: sipush 180
L10: sipush 180
L13: invokespecial Method java/awt/Color <init> (III)V
L16: astore_3
L17: aload_0
L18: aload_3
L19: invokevirtual Method java/awt/Graphics setColor (Ljava/awt/Color;)V
L22: aload_0
L23: iload_1
L24: iload_2
L25: bipush 60
L27: bipush 20
L29: invokevirtual Method java/awt/Graphics fillOval (IIII)V
L32: aload_0
L33: getstatic Field java/awt/Color black Ljava/awt/Color;
L36: invokevirtual Method java/awt/Graphics setColor (Ljava/awt/Color;)V
L39: aload_0
L40: iload_1
L41: iload_2
L42: bipush 60
L44: bipush 20
L46: invokevirtual Method java/awt/Graphics drawOval (IIII)V
L49: aload_0
L50: iload_1
L51: iconst_5
L52: iadd
L53: iload_2
L54: iconst_5
L55: iadd
L56: bipush 10
L58: bipush 10
L60: invokevirtual Method java/awt/Graphics drawOval (IIII)V
L63: aload_0
L64: aload_3
L65: invokevirtual Method java/awt/Graphics setColor (Ljava/awt/Color;)V
L68: aload_0
L69: iload_1
L70: bipush 10
L72: iadd
L73: iload_2
L74: iconst_5
L75: iadd
L76: bipush 6
L78: bipush 10
L80: invokevirtual Method java/awt/Graphics fillRect (IIII)V
L83: aload_0
L84: getstatic Field java/awt/Color black Ljava/awt/Color;
L87: invokevirtual Method java/awt/Graphics setColor (Ljava/awt/Color;)V
L90: aload_0
L91: iload_1
L92: bipush 10
L94: iadd
L95: iload_2
L96: bipush 8
L98: iadd
L99: iconst_2
L100: iconst_2
L101: invokevirtual Method java/awt/Graphics fillOval (IIII)V
L104: aload_0
L105: iload_1
L106: bipush 10
L108: iadd
L109: iload_2
L110: bipush 12
L112: iadd
L113: iconst_2
L114: iconst_2
L115: invokevirtual Method java/awt/Graphics fillOval (IIII)V
L118: aload_0
L119: iload_1
L120: bipush 10
L122: iadd
L123: iload_2
L124: iconst_5
L125: iadd
L126: iload_1
L127: bipush 50
L129: iadd
L130: iload_2
L131: iconst_5
L132: iadd
L133: invokevirtual Method java/awt/Graphics drawLine (IIII)V
L136: aload_0
L137: iload_1
L138: bipush 10
L140: iadd
L141: iload_2
L142: bipush 15
L144: iadd
L145: iload_1
L146: bipush 50
L148: iadd
L149: iload_2
L150: bipush 15
L152: iadd
L153: invokevirtual Method java/awt/Graphics drawLine (IIII)V
L156: aload_0
L157: iload_1
L158: bipush 15
L160: iadd
L161: iload_2
L162: bipush 10
L164: iadd
L165: iload_1
L166: bipush 45
L168: iadd
L169: iload_2
L170: bipush 10
L172: iadd
L173: invokevirtual Method java/awt/Graphics drawLine (IIII)V
L176: aload_0
L177: iload_1
L178: bipush 50
L180: iadd
L181: iload_2
L182: iconst_5
L183: iadd
L184: iload_1
L185: bipush 55
L187: iadd
L188: iload_2
L189: bipush 10
L191: iadd
L192: invokevirtual Method java/awt/Graphics drawLine (IIII)V
L195: aload_0
L196: iload_1
L197: bipush 50
L199: iadd
L200: iload_2
L201: bipush 15
L203: iadd
L204: iload_1
L205: bipush 55
L207: iadd
L208: iload_2
L209: bipush 10
L211: iadd
L212: invokevirtual Method java/awt/Graphics drawLine (IIII)V
L215: aload_0
L216: iload_1
L217: bipush 60
L219: iadd
L220: iload_2
L221: iconst_5
L222: iadd
L223: iload_1
L224: bipush 60
L226: iadd
L227: iload_2
L228: bipush 15
L230: iadd
L231: invokevirtual Method java/awt/Graphics drawLine (IIII)V
L234: return
L235:
.linenumbertable
L0 21
L17 22
L22 24
L32 27
L39 28
L49 29
L63 30
L68 31
L83 34
L90 35
L104 36
L118 39
L136 40
L156 41
L176 42
L195 43
L215 46
L234 48
.end linenumbertable
.end code
.end method
.method private static paintVertical : (Ljava/awt/Graphics;II)V
.code stack 6 locals 4
L0: new java/awt/Color
L3: dup
L4: sipush 180
L7: sipush 180
L10: sipush 180
L13: invokespecial Method java/awt/Color <init> (III)V
L16: astore_3
L17: aload_0
L18: aload_3
L19: invokevirtual Method java/awt/Graphics setColor (Ljava/awt/Color;)V
L22: aload_0
L23: iload_1
L24: iload_2
L25: bipush 20
L27: bipush 60
L29: invokevirtual Method java/awt/Graphics fillOval (IIII)V
L32: aload_0
L33: getstatic Field java/awt/Color black Ljava/awt/Color;
L36: invokevirtual Method java/awt/Graphics setColor (Ljava/awt/Color;)V
L39: aload_0
L40: iload_1
L41: iload_2
L42: bipush 20
L44: bipush 60
L46: invokevirtual Method java/awt/Graphics drawOval (IIII)V
L49: aload_0
L50: iload_1
L51: iconst_5
L52: iadd
L53: iload_2
L54: iconst_5
L55: iadd
L56: bipush 10
L58: bipush 10
L60: invokevirtual Method java/awt/Graphics drawOval (IIII)V
L63: aload_0
L64: aload_3
L65: invokevirtual Method java/awt/Graphics setColor (Ljava/awt/Color;)V
L68: aload_0
L69: iload_1
L70: iconst_5
L71: iadd
L72: iload_2
L73: bipush 10
L75: iadd
L76: bipush 10
L78: bipush 6
L80: invokevirtual Method java/awt/Graphics fillRect (IIII)V
L83: aload_0
L84: getstatic Field java/awt/Color black Ljava/awt/Color;
L87: invokevirtual Method java/awt/Graphics setColor (Ljava/awt/Color;)V
L90: aload_0
L91: iload_1
L92: bipush 7
L94: iadd
L95: iload_2
L96: bipush 10
L98: iadd
L99: iconst_2
L100: iconst_2
L101: invokevirtual Method java/awt/Graphics fillOval (IIII)V
L104: aload_0
L105: iload_1
L106: bipush 11
L108: iadd
L109: iload_2
L110: bipush 10
L112: iadd
L113: iconst_2
L114: iconst_2
L115: invokevirtual Method java/awt/Graphics fillOval (IIII)V
L118: aload_0
L119: iload_1
L120: iconst_5
L121: iadd
L122: iload_2
L123: bipush 10
L125: iadd
L126: iload_1
L127: iconst_5
L128: iadd
L129: iload_2
L130: bipush 50
L132: iadd
L133: invokevirtual Method java/awt/Graphics drawLine (IIII)V
L136: aload_0
L137: iload_1
L138: bipush 15
L140: iadd
L141: iload_2
L142: bipush 10
L144: iadd
L145: iload_1
L146: bipush 15
L148: iadd
L149: iload_2
L150: bipush 50
L152: iadd
L153: invokevirtual Method java/awt/Graphics drawLine (IIII)V
L156: aload_0
L157: iload_1
L158: bipush 10
L160: iadd
L161: iload_2
L162: bipush 15
L164: iadd
L165: iload_1
L166: bipush 10
L168: iadd
L169: iload_2
L170: bipush 45
L172: iadd
L173: invokevirtual Method java/awt/Graphics drawLine (IIII)V
L176: aload_0
L177: iload_1
L178: iconst_5
L179: iadd
L180: iload_2
L181: bipush 50
L183: iadd
L184: iload_1
L185: bipush 10
L187: iadd
L188: iload_2
L189: bipush 55
L191: iadd
L192: invokevirtual Method java/awt/Graphics drawLine (IIII)V
L195: aload_0
L196: iload_1
L197: bipush 15
L199: iadd
L200: iload_2
L201: bipush 50
L203: iadd
L204: iload_1
L205: bipush 10
L207: iadd
L208: iload_2
L209: bipush 55
L211: iadd
L212: invokevirtual Method java/awt/Graphics drawLine (IIII)V
L215: aload_0
L216: iload_1
L217: iconst_5
L218: iadd
L219: iload_2
L220: bipush 60
L222: iadd
L223: iload_1
L224: bipush 15
L226: iadd
L227: iload_2
L228: bipush 60
L230: iadd
L231: invokevirtual Method java/awt/Graphics drawLine (IIII)V
L234: return
L235:
.linenumbertable
L0 50
L17 51
L22 53
L32 56
L39 57
L49 58
L63 59
L68 60
L83 61
L90 64
L104 65
L118 68
L136 69
L156 70
L176 71
L195 72
L215 74
L234 75
.end linenumbertable
.end code
.end method
.sourcefile 'Submarine.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 10:54:44 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.awt.Graphics;
import javax.swing.DebugGraphics;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Submarine_ESTest extends Submarine_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
DebugGraphics debugGraphics0 = new DebugGraphics((Graphics) null);
char char0 = 'I';
// Undeclared exception!
try {
Submarine.paint(debugGraphics0, 0, (-1), 'h');
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("javax.swing.DebugGraphics", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Submarine.paint((Graphics) null, 0, 0, '{');
}
@Test(timeout = 4000)
public void test2() throws Throwable {
DebugGraphics debugGraphics0 = new DebugGraphics((Graphics) null);
Submarine.paint(debugGraphics0, (-42040), (-15370), 'I');
// Undeclared exception!
try {
Submarine.paint(debugGraphics0, 0, (-1), 'h');
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("javax.swing.DebugGraphics", e);
}
}
@Test(timeout = 4000)
public void test3() throws Throwable {
DebugGraphics debugGraphics0 = new DebugGraphics();
// Undeclared exception!
try {
Submarine.paint(debugGraphics0, 10751, 30496, 'v');
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("javax.swing.DebugGraphics", e);
}
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Submarine submarine0 = new Submarine();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 10:54: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 Submarine_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Submarine";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpu722xlan");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Submarine_ESTest_scaffolding.class.getClassLoader() ,
"Submarine"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Submarine_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Submarine"
);
}
}
| 1,086 |
RandomUtils | import java.util.Random;
/**
* Created on 2018-10-23
*
* @author liuzhaoyuan
*/
public class RandomUtils {
private RandomUtils() {}
public static Integer[] generateIntegerArray(int maxNum, int size) {
Integer[] arr = new Integer[size];
Random random = new Random();
for (int i = 0; i < size; i++) {
int anInt = random.nextInt(maxNum);
arr[i] = anInt;
}
// System.out.println(Arrays.toString(arr));
return arr;
}
public static <T extends Comparable<? super T>> boolean isSort(T[] arr, boolean asc) {
for (int i = 1; i < arr.length; i++) {
if (asc && arr[i].compareTo(arr[i - 1]) < 0) {
return false;
}
if (!asc && arr[i].compareTo(arr[i - 1]) >= 0) {
return false;
}
}
return true;
}
public static <T extends Comparable<? super T>> boolean isSort(
T[] arr, boolean asc, int from, int to) {
for (int i = from + 1; i < to; i++) {
if (asc && arr[i].compareTo(arr[i - 1]) < 0) {
return false;
}
if (!asc && arr[i].compareTo(arr[i - 1]) >= 0) {
return false;
}
}
return true;
}
}
| .version 52 0
.class public super RandomUtils
.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 13
L4 14
.end linenumbertable
.end code
.end method
.method public static generateIntegerArray : (II)[Ljava/lang/Integer;
.code stack 3 locals 6
L0: iload_1
L1: anewarray java/lang/Integer
L4: astore_2
L5: new java/util/Random
L8: dup
L9: invokespecial Method java/util/Random <init> ()V
L12: astore_3
L13: iconst_0
L14: istore 4
.stack append Object [Ljava/lang/Integer; Object java/util/Random Integer
L16: iload 4
L18: iload_1
L19: if_icmpge L44
L22: aload_3
L23: iload_0
L24: invokevirtual Method java/util/Random nextInt (I)I
L27: istore 5
L29: aload_2
L30: iload 4
L32: iload 5
L34: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L37: aastore
L38: iinc 4 1
L41: goto L16
.stack chop 1
L44: aload_2
L45: areturn
L46:
.linenumbertable
L0 19
L5 21
L13 22
L22 23
L29 24
L38 22
L44 29
.end linenumbertable
.end code
.end method
.method public static isSort : ([Ljava/lang/Comparable;Z)Z
.code stack 4 locals 3
L0: iconst_1
L1: istore_2
.stack append Integer
L2: iload_2
L3: aload_0
L4: arraylength
L5: if_icmpge L58
L8: iload_1
L9: ifeq L30
L12: aload_0
L13: iload_2
L14: aaload
L15: aload_0
L16: iload_2
L17: iconst_1
L18: isub
L19: aaload
L20: invokeinterface InterfaceMethod java/lang/Comparable compareTo (Ljava/lang/Object;)I 2
L25: ifge L30
L28: iconst_0
L29: ireturn
.stack same
L30: iload_1
L31: ifne L52
L34: aload_0
L35: iload_2
L36: aaload
L37: aload_0
L38: iload_2
L39: iconst_1
L40: isub
L41: aaload
L42: invokeinterface InterfaceMethod java/lang/Comparable compareTo (Ljava/lang/Object;)I 2
L47: iflt L52
L50: iconst_0
L51: ireturn
.stack same
L52: iinc 2 1
L55: goto L2
.stack chop 1
L58: iconst_1
L59: ireturn
L60:
.linenumbertable
L0 35
L8 36
L28 37
L30 39
L50 40
L52 35
L58 44
.end linenumbertable
.end code
.signature '<T::Ljava/lang/Comparable<-TT;>;>([TT;Z)Z'
.end method
.method public static isSort : ([Ljava/lang/Comparable;ZII)Z
.code stack 4 locals 5
L0: iload_2
L1: iconst_1
L2: iadd
L3: istore 4
.stack append Integer
L5: iload 4
L7: iload_3
L8: if_icmpge L65
L11: iload_1
L12: ifeq L35
L15: aload_0
L16: iload 4
L18: aaload
L19: aload_0
L20: iload 4
L22: iconst_1
L23: isub
L24: aaload
L25: invokeinterface InterfaceMethod java/lang/Comparable compareTo (Ljava/lang/Object;)I 2
L30: ifge L35
L33: iconst_0
L34: ireturn
.stack same
L35: iload_1
L36: ifne L59
L39: aload_0
L40: iload 4
L42: aaload
L43: aload_0
L44: iload 4
L46: iconst_1
L47: isub
L48: aaload
L49: invokeinterface InterfaceMethod java/lang/Comparable compareTo (Ljava/lang/Object;)I 2
L54: iflt L59
L57: iconst_0
L58: ireturn
.stack same
L59: iinc 4 1
L62: goto L5
.stack chop 1
L65: iconst_1
L66: ireturn
L67:
.linenumbertable
L0 48
L11 49
L33 50
L35 52
L57 53
L59 48
L65 57
.end linenumbertable
.end code
.signature '<T::Ljava/lang/Comparable<-TT;>;>([TT;ZII)Z'
.end method
.sourcefile 'RandomUtils.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 08:06:43 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 RandomUtils_ESTest extends RandomUtils_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[5];
stringArray0[0] = "";
stringArray0[1] = "";
stringArray0[2] = "nP^r$n9Eim";
stringArray0[3] = "3}";
stringArray0[4] = "";
boolean boolean0 = RandomUtils.isSort(stringArray0, true, 0, 737);
RandomUtils.generateIntegerArray(0, 0);
boolean boolean1 = RandomUtils.isSort(stringArray0, true);
assertTrue(boolean1 == boolean0);
assertFalse(boolean1);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
String[] stringArray0 = new String[2];
stringArray0[0] = "";
stringArray0[1] = "";
boolean boolean0 = RandomUtils.isSort(stringArray0, false, 36419, 0);
boolean boolean1 = RandomUtils.isSort(stringArray0, false, 0, 36419);
assertFalse(boolean1 == boolean0);
assertFalse(boolean1);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
String[] stringArray0 = new String[2];
boolean boolean0 = RandomUtils.isSort(stringArray0, false, 36419, 0);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
String[] stringArray0 = new String[4];
stringArray0[0] = "bc`@Ic1|,D%(";
stringArray0[1] = "v2~@";
stringArray0[2] = "";
stringArray0[3] = "";
boolean boolean0 = RandomUtils.isSort(stringArray0, false);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
String[] stringArray0 = new String[6];
stringArray0[0] = "0Ug)e";
stringArray0[1] = "";
stringArray0[2] = "";
stringArray0[3] = "RandomUtils";
boolean boolean0 = RandomUtils.isSort(stringArray0, false);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Integer[] integerArray0 = RandomUtils.generateIntegerArray(0, 0);
String[] stringArray0 = new String[4];
stringArray0[0] = "bc`@Ic1|,D%(";
stringArray0[1] = "v2~@";
stringArray0[2] = "";
boolean boolean0 = RandomUtils.isSort(stringArray0, false);
boolean boolean1 = RandomUtils.isSort(stringArray0, true);
assertFalse(boolean1);
boolean boolean2 = RandomUtils.isSort(integerArray0, false);
assertFalse(boolean2 == boolean0);
assertTrue(boolean2);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
String[] stringArray0 = new String[2];
stringArray0[0] = "";
stringArray0[1] = "RandomUtils";
RandomUtils.isSort(stringArray0, true);
// Undeclared exception!
try {
RandomUtils.generateIntegerArray((-1), (-1));
fail("Expecting exception: NegativeArraySizeException");
} catch(NegativeArraySizeException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("RandomUtils", e);
}
}
@Test(timeout = 4000)
public void test7() throws Throwable {
Integer[] integerArray0 = RandomUtils.generateIntegerArray((-1), 6856);
assertEquals(6856, integerArray0.length);
}
@Test(timeout = 4000)
public void test8() throws Throwable {
Integer[] integerArray0 = RandomUtils.generateIntegerArray(0, 0);
boolean boolean0 = RandomUtils.isSort(integerArray0, false);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test9() throws Throwable {
Integer[] integerArray0 = RandomUtils.generateIntegerArray(5793, 5793);
assertEquals(5793, integerArray0.length);
Integer[] integerArray1 = RandomUtils.generateIntegerArray(5793, 0);
assertEquals(0, integerArray1.length);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 08:06: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 RandomUtils_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "RandomUtils";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpcjvnxt1h");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(RandomUtils_ESTest_scaffolding.class.getClassLoader() ,
"RandomUtils"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RandomUtils_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"RandomUtils"
);
}
}
| 1,087 |
Constant | /**
* 常量类
*
* @author Administrator
* @version $Id: Constant.java, v 0.1 2016年1月13日 下午11:12:56 Administrator Exp $
*/
public class Constant {
/** 发送短信标识常量 */
public static final String SEND_SMS = "sendSms";
}
| .version 52 0
.class public super Constant
.super java/lang/Object
.field public static final SEND_SMS Ljava/lang/String; = 'sendSms'
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 7
.end linenumbertable
.end code
.end method
.sourcefile 'Constant.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 23:24: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 Constant_ESTest extends Constant_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Constant constant0 = new Constant();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 23:24: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 Constant_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Constant";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp52_kfpou");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Constant_ESTest_scaffolding.class.getClassLoader() ,
"Constant"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Constant_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Constant"
);
}
}
| 1,088 |
MenuItemNotFoundException | /*
* Copyright (C) Scott Cranton, Jakub Korab, and Christian Posta
* https://github.com/CamelCookbook
*
* 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.
*/
/** Exception when item id is not found. */
public class MenuItemNotFoundException extends Exception {
private static final long serialVersionUID = 5929423385228527233L;
private int id;
public MenuItemNotFoundException(int id) {
super("Menu Item id " + id + " not found");
this.id = id;
}
public int getId() {
return id;
}
}
| .version 52 0
.class public super MenuItemNotFoundException
.super java/lang/Exception
.field private static final serialVersionUID J = 5929423385228527233L
.field private id I
.method public <init> : (I)V
.code stack 3 locals 2
L0: aload_0
L1: new java/lang/StringBuilder
L4: dup
L5: invokespecial Method java/lang/StringBuilder <init> ()V
L8: ldc 'Menu Item id '
L10: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L13: iload_1
L14: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L17: ldc ' not found'
L19: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L22: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L25: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V
L28: aload_0
L29: iload_1
L30: putfield Field MenuItemNotFoundException id I
L33: return
L34:
.linenumbertable
L0 29
L28 30
L33 31
.end linenumbertable
.end code
.end method
.method public getId : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MenuItemNotFoundException id I
L4: ireturn
L5:
.linenumbertable
L0 34
.end linenumbertable
.end code
.end method
.sourcefile 'MenuItemNotFoundException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 21:16: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 MenuItemNotFoundException_ESTest extends MenuItemNotFoundException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
MenuItemNotFoundException menuItemNotFoundException0 = new MenuItemNotFoundException(89913);
int int0 = menuItemNotFoundException0.getId();
assertEquals(89913, int0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
MenuItemNotFoundException menuItemNotFoundException0 = new MenuItemNotFoundException((-74993));
int int0 = menuItemNotFoundException0.getId();
assertEquals((-74993), int0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
MenuItemNotFoundException menuItemNotFoundException0 = new MenuItemNotFoundException(0);
int int0 = menuItemNotFoundException0.getId();
assertEquals(0, int0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 21:16: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 MenuItemNotFoundException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "MenuItemNotFoundException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpxjr0ex1e");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MenuItemNotFoundException_ESTest_scaffolding.class.getClassLoader() ,
"MenuItemNotFoundException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MenuItemNotFoundException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MenuItemNotFoundException"
);
}
}
| 1,089 |
LocalClass | public class LocalClass {
Object f;
void m() {
class InnerLocalClass {
Object f;
}
new Object() {
Object f;
class Test {
Object f;
void m() {
new Object() {
Object f;
};
new Object() {
Object f;
};
}
}
};
new Object() {
Object f;
};
}
void m2() {
class InnerLocalClass {
Object f;
class Inner {
Object f;
void m() {
new Object() {
Object f;
};
new Object() {
Object f;
};
}
}
void m() {
class OuterLocalClass {
Object f;
}
}
}
}
void m3() {
class OuterLocalClass {
Object f;
void m() {
class InnerLocalClass {
Object f;
}
}
}
}
}
| .version 52 0
.class public super LocalClass
.super java/lang/Object
.field f Ljava/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 m : ()V
.code stack 3 locals 1
L0: new LocalClass$1
L3: dup
L4: aload_0
L5: invokespecial Method LocalClass$1 <init> (LLocalClass;)V
L8: pop
L9: new LocalClass$2
L12: dup
L13: aload_0
L14: invokespecial Method LocalClass$2 <init> (LLocalClass;)V
L17: pop
L18: return
L19:
.linenumbertable
L0 9
L9 25
L18 28
.end linenumbertable
.end code
.end method
.method m2 : ()V
.code stack 0 locals 1
L0: return
L1:
.linenumbertable
L0 53
.end linenumbertable
.end code
.end method
.method m3 : ()V
.code stack 0 locals 1
L0: return
L1:
.linenumbertable
L0 65
.end linenumbertable
.end code
.end method
.sourcefile 'LocalClass.java'
.innerclasses
LocalClass$1OuterLocalClass [0] OuterLocalClass
LocalClass$2InnerLocalClass [0] InnerLocalClass
LocalClass$2 [0] [0]
LocalClass$1 [0] [0]
LocalClass$1InnerLocalClass [0] InnerLocalClass
.end innerclasses
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 08:07:02 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 LocalClass_ESTest extends LocalClass_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
LocalClass localClass0 = new LocalClass();
// Undeclared exception!
try {
localClass0.m();
fail("Expecting exception: NoClassDefFoundError");
} catch(NoClassDefFoundError e) {
//
// LocalClass$1
//
verifyException("LocalClass", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
LocalClass localClass0 = new LocalClass();
localClass0.m2();
}
@Test(timeout = 4000)
public void test2() throws Throwable {
LocalClass localClass0 = new LocalClass();
localClass0.m3();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 08:07: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 LocalClass_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "LocalClass";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpaarzrg6o");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(LocalClass_ESTest_scaffolding.class.getClassLoader() ,
"LocalClass"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(LocalClass_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"LocalClass"
);
}
}
| 1,090 |
RemoveRecycleBinEvent | /** Created by yuan on 2016/4/27. */
public class RemoveRecycleBinEvent {
long id;
public RemoveRecycleBinEvent(long id) {
this.id = id;
}
public long getId() {
return id;
}
public void setId(long id) {
this.id = id;
}
}
| .version 52 0
.class public super RemoveRecycleBinEvent
.super java/lang/Object
.field id 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 RemoveRecycleBinEvent id J
L9: return
L10:
.linenumbertable
L0 9
L4 10
L9 11
.end linenumbertable
.end code
.end method
.method public getId : ()J
.code stack 2 locals 1
L0: aload_0
L1: getfield Field RemoveRecycleBinEvent id J
L4: lreturn
L5:
.linenumbertable
L0 14
.end linenumbertable
.end code
.end method
.method public setId : (J)V
.code stack 3 locals 3
L0: aload_0
L1: lload_1
L2: putfield Field RemoveRecycleBinEvent id J
L5: return
L6:
.linenumbertable
L0 18
L5 19
.end linenumbertable
.end code
.end method
.sourcefile 'RemoveRecycleBinEvent.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 14:35:49 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class RemoveRecycleBinEvent_ESTest extends RemoveRecycleBinEvent_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
RemoveRecycleBinEvent removeRecycleBinEvent0 = new RemoveRecycleBinEvent((-14083L));
removeRecycleBinEvent0.setId(0L);
long long0 = removeRecycleBinEvent0.getId();
assertEquals(0L, long0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
RemoveRecycleBinEvent removeRecycleBinEvent0 = new RemoveRecycleBinEvent(1L);
long long0 = removeRecycleBinEvent0.getId();
assertEquals(1L, long0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
RemoveRecycleBinEvent removeRecycleBinEvent0 = new RemoveRecycleBinEvent((-14083L));
long long0 = removeRecycleBinEvent0.getId();
assertEquals((-14083L), long0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 14:35:49 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class RemoveRecycleBinEvent_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "RemoveRecycleBinEvent";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp5jl78ijw");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(RemoveRecycleBinEvent_ESTest_scaffolding.class.getClassLoader() ,
"RemoveRecycleBinEvent"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RemoveRecycleBinEvent_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"RemoveRecycleBinEvent"
);
}
}
| 1,091 |
Chapter17Networking | public final class Chapter17Networking {
/*
* 17.1 - Explain what happens, step by step, after you type a URL into a browser. Use as much
* detail as possible.
*/
// DNS - Domain Name Resolution
// Type URL and hit enter/go
// Browser contacts DNS server for IP address of website
// DNS returns IP address of website
// Browser opens TCP connection to the web server via port 80
// Browser fetches the HTML
// Browser caches data
// Browser renders the fetched HTML
// Browser caches data
// Connections are terminated when browser is closed or navigated away from site
/*
* 17.2 - Explain any common routing protocol in detail. For example: BGP, OSPF, RIP.
*/
// BGP - Border Gateway Protocol - Download and update routing tables. BGP routers send and
// receive update messages to indicate a change in the preferred path to reach a computer with
// a given IP address.
// http://www.livinginternet.com/i/iw_route_egp_bgp.htm
// RIP - Routing Information Protocol - RIP provides the standard IGP protocol for local area
// networks, and provides great network stability, guaranteeing that if one network connection
// goes down the network can quickly adapt to send packets through another connection.
// RIP only keeps track of the closest router for each destination address.
// http://www.livinginternet.com/i/iw_route_igp_rip.htm
// OSPF - Open Shortest Path First - Open Shortest Path First (OSPF) is a particularly efficient
// IGP routing protocol that is faster than RIP, but also more complex.
// OSPF keeps track of a complete topological database of all connections in the local network.
// Startup - Send hello to children and gets routing tables for synchronized routing connections.
// Update - At regular intervals the router sends out messages to other routers about it's table.
// Shortest Path Tree - Each router generates the shortest path to each destination address and
// identifies the closest router for communication.
// http://www.livinginternet.com/i/iw_route_igp_ospf.htm
/*
* 17.3 - Compare and contrast the IPv4 and IPv6 protocols.
*/
// http://www.networkworld.com/article/2692482/ipv6/infographic-ipv4-vs-ipv6.html
// IPv4 - 4,294,967,296 addresses, IPv6 - 340 trillion trillion trillion addresses
// IPv4 - Not enough devices, IPv6 - 340,000,000,000,000,000,000,000,000,000,000,000,000
// IPv4 - 32bit, IPv6 - 128bit
// IPv4 - share ip addresses, IPv6 - each person/device could have billions
// IPv4 - complex header, IPv6 - less complex header
// IPv4 - binary address, IPv6 - hexadecimal address
// IPv4 - Class A-E, IPv6 - Unicast, Multlicast, Anycast
// IPv6 Advantages
// 1. Increased address space
// 2. More efficient routing
// 3. Reduced management requirement
// 4. Improved methods to change ISP
// 5. Better mobility support
// 6. Multi-homing
// 7. Scoped address: link-local, site-local and global-address space
/*
* 17.4 - What is a network / subnet mask? Explain how host A sends a message / packet to host
* B when: (a) both are on same network and (b) both are on different networks. Explain which
* layer makes the routing decision and how.
*/
// http://www.aelius.com/njh/subnet_sheet.html
// Network/Subnet mask - A mask is a bit pattern used to identify the network/subnet address.
// Example: Consider IP address 152.210.011.002. This address belongs to Class B, so:
// Network Mask: 11111111.11111111.00000000.00000000
// Given Address: 10011000.11010101.00001011.00000010
// By ANDing Network Mask and IP Address, we get the following network address:
// 10011000.11010101.00000000.00000000 (152.210.0.0)
// Host address: 00001011.00000010
// Range of IP addresses - eg. 192.1.168.0/24 -> 254 hosts, netmask 255.255.255.0
// A) The host address bits are used to identify the host within the network.
// B) The router uses the network mask to identify the network and route the packet. The host
// can be identified using the network host address.
// The Network Layer is the layer out of (1. Physical, 2. Data Link, 3. Network, 4. Transport,
// 5. Session, 6. Presentation, 7. Application) handles the routing and forwarding of packets.
/*
* 17.5 - What are the differences between TCP and UDP? Explain how TCP handles reliable
* delivery (explain ACK mechanism), flow control (explain TCP sender’s / receiver’s win- dow)
* and congestion control.
*/
// TCP(Transmission Control Protocol) - handshake, logins
// Reliable - when you send a message along a TCP socket, you know it will get there unless
// the connection fails completely. If it gets lost along the way, the server will
// re-request the lost part. This means complete integrity; data will not get corrupted.
// Ordered - if you send two messages along a connection, one after the other, you know the
// first message will get there first. You don’t have to worry about data arriving in the
// wrong order.
// Heavyweight - when the low level parts of the TCP “stream” arrive in the wrong order,
// re- send requests have to be sent. All the out of sequence parts must be put back
// together, which requires a bit of work.
// UDP(User Datagram Protocol) - media, no response check if data successfully arrived
// Unreliable - When you send a message, you don’t know if it’ll get there; it could get
// lost on the way.
// Not ordered - If you send two messages out, you don’t know what order they’ll arrive in.
// Lightweight - No ordering of messages, no tracking connections, etc. It’s just fire and
// forget! This means it’s a lot quicker, and the network card / OS have to do very little
// work to translate the data back from the packets.
// Reliable Delivery
// For each TCP packet, the receiver of a packet must acknowledge that the packet is received.
// If there is no acknowledgement, the packet is sent again. ACK is a packet used in TCP to
// acknowledge receipt of a packet. A TCP window is the amount of outstanding (unacknowledged by
// the recipient) data a sender can send on a particular connection before it gets an
// acknowledgment back from the receiver that it has gotten some of it.
// Congestion Control
// The TCP uses a network congestion avoidance algorithm that includes various aspects of an
// additive-increase-multiplicative-decrease scheme, with other schemes such as slow-start in
// order to achieve congestion avoidance.
// Tahoe and Reno
// For each connection, TCP maintains a congestion window, limiting the total number of
// unacknowledged packets
// Although the initial rate is low, the rate of increase is very rapid: for every packet
// acknowledged, the congestion window increases by 1 MSS so that for every round trip time
// (RTT), the congestion window has doubled.
// When the congestion window exceeds a threshold ssthresh the algorithm enters a new state,
// called congestion avoidance. Linux has a large starting window.
}
| .version 52 0
.class public final super Chapter17Networking
.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 'Chapter17Networking.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 12:17:30 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Chapter17Networking_ESTest extends Chapter17Networking_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Chapter17Networking chapter17Networking0 = new Chapter17Networking();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 12:17:30 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Chapter17Networking_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Chapter17Networking";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmprz0n2n3i");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Chapter17Networking_ESTest_scaffolding.class.getClassLoader() ,
"Chapter17Networking"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Chapter17Networking_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Chapter17Networking"
);
}
}
| 1,092 |
ExceptionUtils | import java.io.PrintWriter;
import java.io.StringWriter;
/** Convenience functions for working with exceptions (or more generally throwables). */
public abstract class ExceptionUtils {
public static String asString(Throwable throwable) {
StringWriter sw = new StringWriter();
sw.append(throwable.getMessage());
sw.append("\n");
throwable.printStackTrace(new PrintWriter(sw));
return sw.toString();
}
}
| .version 52 0
.class public super abstract ExceptionUtils
.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 asString : (Ljava/lang/Throwable;)Ljava/lang/String;
.code stack 4 locals 2
L0: new java/io/StringWriter
L3: dup
L4: invokespecial Method java/io/StringWriter <init> ()V
L7: astore_1
L8: aload_1
L9: aload_0
L10: invokevirtual Method java/lang/Throwable getMessage ()Ljava/lang/String;
L13: invokevirtual Method java/io/StringWriter append (Ljava/lang/CharSequence;)Ljava/io/StringWriter;
L16: pop
L17: aload_1
L18: ldc '\n'
L20: invokevirtual Method java/io/StringWriter append (Ljava/lang/CharSequence;)Ljava/io/StringWriter;
L23: pop
L24: aload_0
L25: new java/io/PrintWriter
L28: dup
L29: aload_1
L30: invokespecial Method java/io/PrintWriter <init> (Ljava/io/Writer;)V
L33: invokevirtual Method java/lang/Throwable printStackTrace (Ljava/io/PrintWriter;)V
L36: aload_1
L37: invokevirtual Method java/io/StringWriter toString ()Ljava/lang/String;
L40: areturn
L41:
.linenumbertable
L0 12
L8 13
L17 14
L24 15
L36 16
.end linenumbertable
.end code
.end method
.sourcefile 'ExceptionUtils.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 01:11:20 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 ExceptionUtils_ESTest extends ExceptionUtils_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
MockThrowable mockThrowable0 = new MockThrowable();
String string0 = ExceptionUtils.asString(mockThrowable0);
// // Unstable assertion: assertEquals("null\nsun.reflect.GeneratedConstructorAccessor38.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);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 01:11: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 ExceptionUtils_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ExceptionUtils";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp4cjwn7cc");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ExceptionUtils_ESTest_scaffolding.class.getClassLoader() ,
"ExceptionUtils"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ExceptionUtils_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ExceptionUtils"
);
}
}
| 1,093 |
TokenFilter | /*
* Licensed to the Apache Software Foundation (ASF) under one
* or more contributor license agreements. See the NOTICE file
* distributed with this work for additional information
* regarding copyright ownership. The ASF licenses this file
* to you under the Apache License, Version 2.0 (the
* "License"); you may not use this file except in compliance
* with the License. You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing,
* software distributed under the License is distributed on an
* "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
* KIND, either express or implied. See the License for the
* specific language governing permissions and limitations
* under the License.
*/
import java.util.HashMap;
import java.util.Map;
import java.util.regex.Matcher;
import java.util.regex.Pattern;
/**
* Filtering object which replaces tokens of the form "${TOKEN_NAME}" with their corresponding
* values. Unknown tokens are not replaced. If TOKEN_NAME is a valid token, the literal value
* "${TOKEN_NAME}" can be included by using "$${TOKEN_NAME}".
*/
public class TokenFilter {
/**
* Regular expression which matches individual tokens, with additional capturing groups for
* convenient retrieval of leading text, the possible escape character preceding the token, the
* name of the token, and the entire token itself.
*/
private final Pattern tokenPattern = Pattern.compile("(.*?)(^|.)(\\$\\{([A-Za-z0-9_]*)\\})");
/**
* The index of the capturing group within tokenPattern which matches non-token text preceding a
* possible token.
*/
private static final int LEADING_TEXT_GROUP = 1;
/**
* The index of the capturing group within tokenPattern which matches the character immediately
* preceding a possible token, possibly denoting that the token should instead be interpreted as a
* literal.
*/
private static final int ESCAPE_CHAR_GROUP = 2;
/**
* The index of the capturing group within tokenPattern which matches the entire token, including
* the leading "${" and terminating "}" strings.
*/
private static final int TOKEN_GROUP = 3;
/**
* The index of the capturing group within tokenPattern which matches only the token name
* contained within the "${" and "}" strings.
*/
private static final int TOKEN_NAME_GROUP = 4;
/** The values of all known tokens. */
private final Map<String, String> tokenValues = new HashMap<String, String>();
/**
* Sets the token having the given name to the given value. Any existing value for that token is
* replaced.
*
* @param name The name of the token to set.
* @param value The value to set the token to.
*/
public void setToken(String name, String value) {
tokenValues.put(name, value);
}
/**
* Returns the value of the token with the given name, or null if no such token has been set.
*
* @param name The name of the token to return.
* @return The value of the token with the given name, or null if no such token exists.
*/
public String getToken(String name) {
return tokenValues.get(name);
}
/**
* Removes the value of the token with the given name. If no such token exists, this function has
* no effect.
*
* @param name The name of the token whose value should be removed.
*/
public void unsetToken(String name) {
tokenValues.remove(name);
}
/**
* Returns a map of all tokens, with each key being a token name, and each value being the
* corresponding token value. Changes to this map will directly affect the tokens associated with
* this filter.
*
* @return A map of all token names and their corresponding values.
*/
public Map<String, String> getTokens() {
return tokenValues;
}
/**
* Replaces all current token values with the contents of the given map, where each map key
* represents a token name, and each map value represents a token value.
*
* @param tokens A map containing the token names and corresponding values to assign.
*/
public void setTokens(Map<String, String> tokens) {
tokenValues.clear();
tokenValues.putAll(tokens);
}
/**
* Filters the given string, replacing any tokens with their corresponding values.
*
* @param input The string to filter.
* @return A copy of the input string, with any tokens replaced with their corresponding values.
*/
public String filter(String input) {
StringBuilder output = new StringBuilder();
Matcher tokenMatcher = tokenPattern.matcher(input);
// Track last regex match
int endOfLastMatch = 0;
// For each possible token
while (tokenMatcher.find()) {
// Pull possible leading text and first char before possible token
String literal = tokenMatcher.group(LEADING_TEXT_GROUP);
String escape = tokenMatcher.group(ESCAPE_CHAR_GROUP);
// Append leading non-token text
output.append(literal);
// If char before token is '$', the token itself is escaped
if ("$".equals(escape)) {
String notToken = tokenMatcher.group(TOKEN_GROUP);
output.append(notToken);
}
// If char is not '$', interpret as a token
else {
// The char before the token, if any, is a literal
output.append(escape);
// Pull token value
String tokenName = tokenMatcher.group(TOKEN_NAME_GROUP);
String tokenValue = getToken(tokenName);
// If token is unknown, interpret as literal
if (tokenValue == null) {
String notToken = tokenMatcher.group(TOKEN_GROUP);
output.append(notToken);
}
// Otherwise, substitute value
else output.append(tokenValue);
}
// Update last regex match
endOfLastMatch = tokenMatcher.end();
}
// Append any remaining non-token text
output.append(input.substring(endOfLastMatch));
return output.toString();
}
/**
* Given an arbitrary map containing String values, replace each non-null value with the
* corresponding filtered value.
*
* @param map The map whose values should be filtered.
*/
public void filterValues(Map<?, String> map) {
// For each map entry
for (Map.Entry<?, String> entry : map.entrySet()) {
// If value is non-null, filter value through this TokenFilter
String value = entry.getValue();
if (value != null) entry.setValue(filter(value));
}
}
}
| .version 52 0
.class public super TokenFilter
.super java/lang/Object
.field private final tokenPattern Ljava/util/regex/Pattern;
.field private static final LEADING_TEXT_GROUP I = 1
.field private static final ESCAPE_CHAR_GROUP I = 2
.field private static final TOKEN_GROUP I = 3
.field private static final TOKEN_NAME_GROUP I = 4
.field private final tokenValues Ljava/util/Map; .fieldattributes
.signature Ljava/util/Map<Ljava/lang/String;Ljava/lang/String;>;
.end fieldattributes
.method public <init> : ()V
.code stack 3 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: ldc '(.*?)(^|.)(\\$\\{([A-Za-z0-9_]*)\\})'
L7: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;)Ljava/util/regex/Pattern;
L10: putfield Field TokenFilter tokenPattern Ljava/util/regex/Pattern;
L13: aload_0
L14: new java/util/HashMap
L17: dup
L18: invokespecial Method java/util/HashMap <init> ()V
L21: putfield Field TokenFilter tokenValues Ljava/util/Map;
L24: return
L25:
.linenumbertable
L0 33
L4 41
L13 71
.end linenumbertable
.end code
.end method
.method public setToken : (Ljava/lang/String;Ljava/lang/String;)V
.code stack 3 locals 3
L0: aload_0
L1: getfield Field TokenFilter tokenValues Ljava/util/Map;
L4: aload_1
L5: aload_2
L6: invokeinterface InterfaceMethod java/util/Map put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; 3
L11: pop
L12: return
L13:
.linenumbertable
L0 84
L12 85
.end linenumbertable
.end code
.end method
.method public getToken : (Ljava/lang/String;)Ljava/lang/String;
.code stack 2 locals 2
L0: aload_0
L1: getfield Field TokenFilter tokenValues Ljava/util/Map;
L4: aload_1
L5: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2
L10: checkcast java/lang/String
L13: areturn
L14:
.linenumbertable
L0 99
.end linenumbertable
.end code
.end method
.method public unsetToken : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: getfield Field TokenFilter tokenValues Ljava/util/Map;
L4: aload_1
L5: invokeinterface InterfaceMethod java/util/Map remove (Ljava/lang/Object;)Ljava/lang/Object; 2
L10: pop
L11: return
L12:
.linenumbertable
L0 110
L11 111
.end linenumbertable
.end code
.end method
.method public getTokens : ()Ljava/util/Map;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field TokenFilter tokenValues Ljava/util/Map;
L4: areturn
L5:
.linenumbertable
L0 122
.end linenumbertable
.end code
.signature ()Ljava/util/Map<Ljava/lang/String;Ljava/lang/String;>;
.end method
.method public setTokens : (Ljava/util/Map;)V
.code stack 2 locals 2
L0: aload_0
L1: getfield Field TokenFilter tokenValues Ljava/util/Map;
L4: invokeinterface InterfaceMethod java/util/Map clear ()V 1
L9: aload_0
L10: getfield Field TokenFilter tokenValues Ljava/util/Map;
L13: aload_1
L14: invokeinterface InterfaceMethod java/util/Map putAll (Ljava/util/Map;)V 2
L19: return
L20:
.linenumbertable
L0 135
L9 136
L19 137
.end linenumbertable
.end code
.signature (Ljava/util/Map<Ljava/lang/String;Ljava/lang/String;>;)V
.end method
.method public filter : (Ljava/lang/String;)Ljava/lang/String;
.code stack 3 locals 10
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: astore_2
L8: aload_0
L9: getfield Field TokenFilter tokenPattern Ljava/util/regex/Pattern;
L12: aload_1
L13: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher;
L16: astore_3
L17: iconst_0
L18: istore 4
.stack append Object java/lang/StringBuilder Object java/util/regex/Matcher Integer
L20: aload_3
L21: invokevirtual Method java/util/regex/Matcher find ()Z
L24: ifeq L135
L27: aload_3
L28: iconst_1
L29: invokevirtual Method java/util/regex/Matcher group (I)Ljava/lang/String;
L32: astore 5
L34: aload_3
L35: iconst_2
L36: invokevirtual Method java/util/regex/Matcher group (I)Ljava/lang/String;
L39: astore 6
L41: aload_2
L42: aload 5
L44: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L47: pop
L48: ldc '$'
L50: aload 6
L52: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L55: ifeq L75
L58: aload_3
L59: iconst_3
L60: invokevirtual Method java/util/regex/Matcher group (I)Ljava/lang/String;
L63: astore 7
L65: aload_2
L66: aload 7
L68: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L71: pop
L72: goto L126
.stack append Object java/lang/String Object java/lang/String
L75: aload_2
L76: aload 6
L78: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L81: pop
L82: aload_3
L83: iconst_4
L84: invokevirtual Method java/util/regex/Matcher group (I)Ljava/lang/String;
L87: astore 7
L89: aload_0
L90: aload 7
L92: invokevirtual Method TokenFilter getToken (Ljava/lang/String;)Ljava/lang/String;
L95: astore 8
L97: aload 8
L99: ifnonnull L119
L102: aload_3
L103: iconst_3
L104: invokevirtual Method java/util/regex/Matcher group (I)Ljava/lang/String;
L107: astore 9
L109: aload_2
L110: aload 9
L112: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L115: pop
L116: goto L126
.stack append Object java/lang/String Object java/lang/String
L119: aload_2
L120: aload 8
L122: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L125: pop
.stack chop 2
L126: aload_3
L127: invokevirtual Method java/util/regex/Matcher end ()I
L130: istore 4
L132: goto L20
.stack chop 2
L135: aload_2
L136: aload_1
L137: iload 4
L139: invokevirtual Method java/lang/String substring (I)Ljava/lang/String;
L142: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L145: pop
L146: aload_2
L147: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L150: areturn
L151:
.linenumbertable
L0 152
L8 153
L17 156
L20 159
L27 162
L34 163
L41 166
L48 169
L58 170
L65 171
L72 172
L75 178
L82 181
L89 182
L97 185
L102 186
L109 187
L116 188
L119 192
L126 197
L132 199
L135 202
L146 204
.end linenumbertable
.end code
.end method
.method public filterValues : (Ljava/util/Map;)V
.code stack 3 locals 5
L0: aload_1
L1: invokeinterface InterfaceMethod java/util/Map entrySet ()Ljava/util/Set; 1
L6: invokeinterface InterfaceMethod java/util/Set iterator ()Ljava/util/Iterator; 1
L11: astore_2
.stack append Object java/util/Iterator
L12: aload_2
L13: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1
L18: ifeq L63
L21: aload_2
L22: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1
L27: checkcast java/util/Map$Entry
L30: astore_3
L31: aload_3
L32: invokeinterface InterfaceMethod java/util/Map$Entry getValue ()Ljava/lang/Object; 1
L37: checkcast java/lang/String
L40: astore 4
L42: aload 4
L44: ifnull L60
L47: aload_3
L48: aload_0
L49: aload 4
L51: invokevirtual Method TokenFilter filter (Ljava/lang/String;)Ljava/lang/String;
L54: invokeinterface InterfaceMethod java/util/Map$Entry setValue (Ljava/lang/Object;)Ljava/lang/Object; 2
L59: pop
.stack same
L60: goto L12
.stack chop 1
L63: return
L64:
.linenumbertable
L0 218
L31 221
L42 222
L47 223
L60 225
L63 227
.end linenumbertable
.end code
.signature (Ljava/util/Map<*Ljava/lang/String;>;)V
.end method
.sourcefile 'TokenFilter.java'
.innerclasses
java/util/Map$Entry java/util/Map Entry public static interface abstract
.end innerclasses
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 08:56:36 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.util.HashMap;
import java.util.Map;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class TokenFilter_ESTest extends TokenFilter_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
TokenFilter tokenFilter0 = new TokenFilter();
HashMap<String, String> hashMap0 = new HashMap<String, String>();
hashMap0.put("", "");
tokenFilter0.filterValues(hashMap0);
assertEquals(1, hashMap0.size());
}
@Test(timeout = 4000)
public void test01() throws Throwable {
TokenFilter tokenFilter0 = new TokenFilter();
tokenFilter0.setToken("", (String) null);
Map<String, String> map0 = tokenFilter0.getTokens();
assertFalse(map0.isEmpty());
}
@Test(timeout = 4000)
public void test02() throws Throwable {
TokenFilter tokenFilter0 = new TokenFilter();
tokenFilter0.setToken((String) null, "J>IjK C MLHO%D");
String string0 = tokenFilter0.getToken((String) null);
assertEquals("J>IjK C MLHO%D", string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
TokenFilter tokenFilter0 = new TokenFilter();
String string0 = tokenFilter0.filter("");
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
TokenFilter tokenFilter0 = new TokenFilter();
Map<String, String> map0 = tokenFilter0.getTokens();
tokenFilter0.setToken((String) null, "P(V;8f=[oi]'o)v.");
tokenFilter0.filterValues(map0);
assertFalse(map0.isEmpty());
}
@Test(timeout = 4000)
public void test05() throws Throwable {
TokenFilter tokenFilter0 = new TokenFilter();
Map<String, String> map0 = tokenFilter0.getTokens();
tokenFilter0.setToken("", (String) null);
tokenFilter0.filterValues(map0);
assertEquals(1, map0.size());
}
@Test(timeout = 4000)
public void test06() throws Throwable {
TokenFilter tokenFilter0 = new TokenFilter();
String string0 = tokenFilter0.filter("P(V;8f=[oi]'o)v.");
assertEquals("P(V;8f=[oi]'o)v.", string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
TokenFilter tokenFilter0 = new TokenFilter();
String string0 = tokenFilter0.getToken("");
assertNull(string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
TokenFilter tokenFilter0 = new TokenFilter();
tokenFilter0.unsetToken("TokenFilter");
}
@Test(timeout = 4000)
public void test09() throws Throwable {
TokenFilter tokenFilter0 = new TokenFilter();
tokenFilter0.setToken("", "");
String string0 = tokenFilter0.getToken("");
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
TokenFilter tokenFilter0 = new TokenFilter();
Map<String, String> map0 = tokenFilter0.getTokens();
tokenFilter0.setTokens(map0);
assertTrue(map0.isEmpty());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 08:56: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 TokenFilter_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "TokenFilter";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp111yaxc1");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TokenFilter_ESTest_scaffolding.class.getClassLoader() ,
"TokenFilter"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TokenFilter_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"TokenFilter"
);
}
}
| 1,094 |
SingletonLazyNotSafe | /**
* 懒汉式,线程不安全
*
* @author jing.ming
*/
///// 这段代码简单明了,而且使用了懒加载模式,但是却存在致命的问题。
//// 当有多个线程并行调用 getInstance() 的时候,就会创建多个实例。
//// 也就是说在多线程下不能正常工作。
public class SingletonLazyNotSafe {
private static SingletonLazyNotSafe instance;
private SingletonLazyNotSafe() {}
public static SingletonLazyNotSafe getInstance() {
if (instance == null) {
instance = new SingletonLazyNotSafe();
}
return instance;
}
}
| .version 52 0
.class public super SingletonLazyNotSafe
.super java/lang/Object
.field private static instance LSingletonLazyNotSafe;
.method private <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 14
.end linenumbertable
.end code
.end method
.method public static getInstance : ()LSingletonLazyNotSafe;
.code stack 2 locals 0
L0: getstatic Field SingletonLazyNotSafe instance LSingletonLazyNotSafe;
L3: ifnonnull L16
L6: new SingletonLazyNotSafe
L9: dup
L10: invokespecial Method SingletonLazyNotSafe <init> ()V
L13: putstatic Field SingletonLazyNotSafe instance LSingletonLazyNotSafe;
.stack same
L16: getstatic Field SingletonLazyNotSafe instance LSingletonLazyNotSafe;
L19: areturn
L20:
.linenumbertable
L0 17
L6 18
L16 20
.end linenumbertable
.end code
.end method
.sourcefile 'SingletonLazyNotSafe.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 15:32: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 SingletonLazyNotSafe_ESTest extends SingletonLazyNotSafe_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
SingletonLazyNotSafe singletonLazyNotSafe0 = SingletonLazyNotSafe.getInstance();
SingletonLazyNotSafe singletonLazyNotSafe1 = SingletonLazyNotSafe.getInstance();
assertSame(singletonLazyNotSafe1, singletonLazyNotSafe0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 15:32: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 SingletonLazyNotSafe_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "SingletonLazyNotSafe";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp9i1hty71");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SingletonLazyNotSafe_ESTest_scaffolding.class.getClassLoader() ,
"SingletonLazyNotSafe"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SingletonLazyNotSafe_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"SingletonLazyNotSafe"
);
}
}
| 1,095 |
Blackberry | /*
* Copyright 2012 the original author or authors.
*
* 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
*
* https://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 Blackberry {
private final String body;
private String contentType = "text/plain";
Blackberry(String body) {
this.body = body;
}
Blackberry(String contentType, String body) {
this.contentType = contentType;
this.body = body;
}
public String getBody() {
return body;
}
public String getContentType() {
return contentType;
}
}
| .version 52 0
.class public super Blackberry
.super java/lang/Object
.field private final body Ljava/lang/String;
.field private contentType Ljava/lang/String;
.method <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: ldc 'text/plain'
L7: putfield Field Blackberry contentType Ljava/lang/String;
L10: aload_0
L11: aload_1
L12: putfield Field Blackberry body Ljava/lang/String;
L15: return
L16:
.linenumbertable
L0 24
L4 22
L10 25
L15 26
.end linenumbertable
.end code
.end method
.method <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: ldc 'text/plain'
L7: putfield Field Blackberry contentType Ljava/lang/String;
L10: aload_0
L11: aload_1
L12: putfield Field Blackberry contentType Ljava/lang/String;
L15: aload_0
L16: aload_2
L17: putfield Field Blackberry body Ljava/lang/String;
L20: return
L21:
.linenumbertable
L0 28
L4 22
L10 29
L15 30
L20 31
.end linenumbertable
.end code
.end method
.method public getBody : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Blackberry body Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 34
.end linenumbertable
.end code
.end method
.method public getContentType : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Blackberry contentType Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 38
.end linenumbertable
.end code
.end method
.sourcefile 'Blackberry.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 22:23: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 Blackberry_ESTest extends Blackberry_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Blackberry blackberry0 = new Blackberry((String) null, (String) null);
String string0 = blackberry0.getContentType();
assertNull(string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Blackberry blackberry0 = new Blackberry("", " 7I*1]g-dn*2~}Fs|");
String string0 = blackberry0.getContentType();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Blackberry blackberry0 = new Blackberry((String) null, (String) null);
String string0 = blackberry0.getBody();
assertNull(string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Blackberry blackberry0 = new Blackberry("");
String string0 = blackberry0.getContentType();
assertEquals("text/plain", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Blackberry blackberry0 = new Blackberry("");
blackberry0.getBody();
assertEquals("text/plain", blackberry0.getContentType());
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Blackberry blackberry0 = new Blackberry("", " 7I*1]g-dn*2~}Fs|");
String string0 = blackberry0.getBody();
assertEquals(" 7I*1]g-dn*2~}Fs|", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 22:23: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 Blackberry_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Blackberry";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpo8tyb247");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Blackberry_ESTest_scaffolding.class.getClassLoader() ,
"Blackberry"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Blackberry_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Blackberry"
);
}
}
| 1,096 |
UtilDate | public class UtilDate {
public static int cantDias(int m, int y) throws Exception {
int d = -1;
switch (m) {
case 1:
case 3:
case 5:
case 7:
case 8:
case 10:
case 12:
d = 31;
break;
case 4:
case 6:
case 9:
case 11:
d = 30;
break;
case 2:
if ((y % 4 == 0) && ((y % 100 != 0) || (y % 400 == 0))) {
d = 29;
} else {
d = 28;
}
break;
default:
throw new Exception("El mes es incorrecto " + m);
}
return d;
}
}
| .version 52 0
.class public super UtilDate
.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 cantDias : (II)I
.code stack 4 locals 3
L0: iconst_m1
L1: istore_2
L2: iload_0
L3: tableswitch 1
L64
L76
L64
L70
L64
L70
L64
L64
L70
L64
L70
L64
default : L109
.stack append Integer
L64: bipush 31
L66: istore_2
L67: goto L136
.stack same
L70: bipush 30
L72: istore_2
L73: goto L136
.stack same
L76: iload_1
L77: iconst_4
L78: irem
L79: ifne L103
L82: iload_1
L83: bipush 100
L85: irem
L86: ifne L97
L89: iload_1
L90: sipush 400
L93: irem
L94: ifne L103
.stack same
L97: bipush 29
L99: istore_2
L100: goto L136
.stack same
L103: bipush 28
L105: istore_2
L106: goto L136
.stack same
L109: new java/lang/Exception
L112: dup
L113: new java/lang/StringBuilder
L116: dup
L117: invokespecial Method java/lang/StringBuilder <init> ()V
L120: ldc 'El mes es incorrecto '
L122: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L125: iload_0
L126: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L129: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L132: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V
L135: athrow
.stack same
L136: iload_2
L137: ireturn
L138:
.linenumbertable
L0 7
L2 9
L64 24
L67 26
L70 35
L73 37
L76 41
L97 42
L103 44
L106 47
L109 50
L136 54
.end linenumbertable
.end code
.exceptions java/lang/Exception
.end method
.sourcefile 'UtilDate.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 13:56:01 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class UtilDate_ESTest extends UtilDate_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
try {
UtilDate.cantDias(0, 0);
fail("Expecting exception: Exception");
} catch(Exception e) {
//
// El mes es incorrecto 0
//
verifyException("UtilDate", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
int int0 = UtilDate.cantDias(12, 12);
assertEquals(31, int0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
int int0 = UtilDate.cantDias(6, (-29559));
assertEquals(30, int0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
int int0 = UtilDate.cantDias(4, 4);
assertEquals(30, int0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
int int0 = UtilDate.cantDias(5, (-7));
assertEquals(31, int0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
int int0 = UtilDate.cantDias(1, 27351);
assertEquals(31, int0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
UtilDate utilDate0 = new UtilDate();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 13:56: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 UtilDate_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "UtilDate";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpw4ln5rbb");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(UtilDate_ESTest_scaffolding.class.getClassLoader() ,
"UtilDate"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UtilDate_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"UtilDate"
);
}
}
| 1,097 |
BaseResponse | import java.io.Serializable;
public class BaseResponse implements Serializable {
/**
* 变量说明描述
*
* <p>long BaseResponse.java serialVersionUID
*/
private static final long serialVersionUID = 138017443550236549L;
private int retcode = 0;
private String retdesc;
private Object data;
/** 方法执行时间 */
private long ticks;
public int getRetcode() {
return retcode;
}
public void setRetcode(int retcode) {
this.retcode = retcode;
}
public String getRetdesc() {
return retdesc;
}
public void setRetdesc(String retdesc) {
this.retdesc = retdesc;
}
public Object getData() {
return data;
}
public void setData(Object data) {
this.data = data;
}
public long getTicks() {
return ticks;
}
public void setTicks(long ticks) {
this.ticks = ticks;
}
}
| .version 52 0
.class public super BaseResponse
.super java/lang/Object
.implements java/io/Serializable
.field private static final serialVersionUID J = 138017443550236549L
.field private retcode I
.field private retdesc Ljava/lang/String;
.field private data Ljava/lang/Object;
.field private ticks J
.method public <init> : ()V
.code stack 2 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iconst_0
L6: putfield Field BaseResponse retcode I
L9: return
L10:
.linenumbertable
L0 7
L4 15
.end linenumbertable
.end code
.end method
.method public getRetcode : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BaseResponse retcode I
L4: ireturn
L5:
.linenumbertable
L0 24
.end linenumbertable
.end code
.end method
.method public setRetcode : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field BaseResponse retcode I
L5: return
L6:
.linenumbertable
L0 28
L5 29
.end linenumbertable
.end code
.end method
.method public getRetdesc : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BaseResponse retdesc Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 32
.end linenumbertable
.end code
.end method
.method public setRetdesc : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field BaseResponse retdesc Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 36
L5 37
.end linenumbertable
.end code
.end method
.method public getData : ()Ljava/lang/Object;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BaseResponse data Ljava/lang/Object;
L4: areturn
L5:
.linenumbertable
L0 40
.end linenumbertable
.end code
.end method
.method public setData : (Ljava/lang/Object;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field BaseResponse data Ljava/lang/Object;
L5: return
L6:
.linenumbertable
L0 44
L5 45
.end linenumbertable
.end code
.end method
.method public getTicks : ()J
.code stack 2 locals 1
L0: aload_0
L1: getfield Field BaseResponse ticks J
L4: lreturn
L5:
.linenumbertable
L0 48
.end linenumbertable
.end code
.end method
.method public setTicks : (J)V
.code stack 3 locals 3
L0: aload_0
L1: lload_1
L2: putfield Field BaseResponse ticks J
L5: return
L6:
.linenumbertable
L0 52
L5 53
.end linenumbertable
.end code
.end method
.sourcefile 'BaseResponse.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 15:54: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 BaseResponse_ESTest extends BaseResponse_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
BaseResponse baseResponse0 = new BaseResponse();
baseResponse0.setTicks(17717L);
long long0 = baseResponse0.getTicks();
assertEquals(17717L, long0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
BaseResponse baseResponse0 = new BaseResponse();
baseResponse0.setTicks((-46929L));
long long0 = baseResponse0.getTicks();
assertEquals((-46929L), long0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
BaseResponse baseResponse0 = new BaseResponse();
baseResponse0.setRetdesc("U2tcK(|wr");
baseResponse0.getRetdesc();
assertEquals(0, baseResponse0.getRetcode());
}
@Test(timeout = 4000)
public void test03() throws Throwable {
BaseResponse baseResponse0 = new BaseResponse();
baseResponse0.setRetcode(36408);
int int0 = baseResponse0.getRetcode();
assertEquals(36408, int0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
BaseResponse baseResponse0 = new BaseResponse();
baseResponse0.setData("U2tcK(|wr");
baseResponse0.getData();
assertEquals(0, baseResponse0.getRetcode());
}
@Test(timeout = 4000)
public void test05() throws Throwable {
BaseResponse baseResponse0 = new BaseResponse();
baseResponse0.setRetdesc("");
baseResponse0.getRetdesc();
assertEquals(0, baseResponse0.getRetcode());
}
@Test(timeout = 4000)
public void test06() throws Throwable {
BaseResponse baseResponse0 = new BaseResponse();
baseResponse0.getData();
assertEquals(0, baseResponse0.getRetcode());
}
@Test(timeout = 4000)
public void test07() throws Throwable {
BaseResponse baseResponse0 = new BaseResponse();
baseResponse0.getRetdesc();
assertEquals(0, baseResponse0.getRetcode());
}
@Test(timeout = 4000)
public void test08() throws Throwable {
BaseResponse baseResponse0 = new BaseResponse();
baseResponse0.getTicks();
assertEquals(0, baseResponse0.getRetcode());
}
@Test(timeout = 4000)
public void test09() throws Throwable {
BaseResponse baseResponse0 = new BaseResponse();
baseResponse0.setRetcode((-933));
int int0 = baseResponse0.getRetcode();
assertEquals((-933), int0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
BaseResponse baseResponse0 = new BaseResponse();
int int0 = baseResponse0.getRetcode();
assertEquals(0, int0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 15:54: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 BaseResponse_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "BaseResponse";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpbmck880_");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BaseResponse_ESTest_scaffolding.class.getClassLoader() ,
"BaseResponse"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BaseResponse_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"BaseResponse"
);
}
}
| 1,098 |
BuildConfig | /** Automatically generated file. DO NOT MODIFY */
public final class BuildConfig {
public static final boolean DEBUG = true;
}
| .version 52 0
.class public final super BuildConfig
.super java/lang/Object
.field public static final DEBUG Z = 1
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 4
.end linenumbertable
.end code
.end method
.sourcefile 'BuildConfig.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 23: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 BuildConfig_ESTest extends BuildConfig_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
BuildConfig buildConfig0 = new BuildConfig();
assertTrue(BuildConfig.DEBUG);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 23: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 BuildConfig_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "BuildConfig";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpc84yt3vm");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BuildConfig_ESTest_scaffolding.class.getClassLoader() ,
"BuildConfig"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BuildConfig_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"BuildConfig"
);
}
}
| 1,099 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.