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
|
---|---|---|---|---|---|
ScriptRunner | /*
* This File has been slightly modified by SIDHIN S THOMAS
* from the version found at https://github.com/BenoitDuffez/ScriptRunner
*/
/*
* Slightly modified version of the com.ibatis.common.jdbc.ScriptRunner class
* from the iBATIS Apache project. Only removed dependency on Resource class
* and a constructor
* GPSHansl, 06.08.2015: regex for delimiter, rearrange comment/delimiter detection, remove some ide warnings.
*/
/*
* Copyright 2004 Clinton Begin
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
import java.io.*;
import java.sql.*;
import java.text.SimpleDateFormat;
import java.util.regex.Matcher;
import java.util.regex.Pattern;
/** Tool to run database scripts */
@SuppressWarnings("ALL")
public class ScriptRunner {
private static final String DEFAULT_DELIMITER = ";";
/**
* regex to detect delimiter. ignores spaces, allows delimiter in comment, allows an equals-sign
*/
public static final Pattern delimP =
Pattern.compile(
"^\\s*(--)?\\s*delimiter\\s*=?\\s*([^\\s]+)+\\s*.*$", Pattern.CASE_INSENSITIVE);
private final Connection connection;
private final boolean stopOnError;
private final boolean autoCommit;
@SuppressWarnings("UseOfSystemOutOrSystemErr")
private PrintWriter logWriter = null;
@SuppressWarnings("UseOfSystemOutOrSystemErr")
private PrintWriter errorLogWriter = null;
private String delimiter = DEFAULT_DELIMITER;
private boolean fullLineDelimiter = false;
/** Default constructor */
public ScriptRunner(Connection connection, boolean autoCommit, boolean stopOnError) {
this.connection = connection;
this.autoCommit = autoCommit;
this.stopOnError = stopOnError;
File logFile = new File("create_db.log");
File errorLogFile = new File("create_db_error.log");
try {
if (logFile.exists()) {
logWriter = new PrintWriter(new FileWriter(logFile, true));
} else {
logWriter = new PrintWriter(new FileWriter(logFile, false));
}
} catch (IOException e) {
System.err.println("Unable to access or create the db_create log");
}
try {
if (logFile.exists()) {
errorLogWriter = new PrintWriter(new FileWriter(errorLogFile, true));
} else {
errorLogWriter = new PrintWriter(new FileWriter(errorLogFile, false));
}
} catch (IOException e) {
System.err.println("Unable to access or create the db_create error log");
}
String timeStamp = new SimpleDateFormat("dd/mm/yyyy HH:mm:ss").format(new java.util.Date());
println("\n-------\n" + timeStamp + "\n-------\n");
printlnError("\n-------\n" + timeStamp + "\n-------\n");
}
public void setDelimiter(String delimiter, boolean fullLineDelimiter) {
this.delimiter = delimiter;
this.fullLineDelimiter = fullLineDelimiter;
}
/**
* Setter for logWriter property
*
* @param logWriter - the new value of the logWriter property
*/
public void setLogWriter(PrintWriter logWriter) {
this.logWriter = logWriter;
}
/**
* Setter for errorLogWriter property
*
* @param errorLogWriter - the new value of the errorLogWriter property
*/
public void setErrorLogWriter(PrintWriter errorLogWriter) {
this.errorLogWriter = errorLogWriter;
}
/**
* Runs an SQL script (read in using the Reader parameter)
*
* @param reader - the source of the script
*/
public void runScript(Reader reader) throws IOException, SQLException {
try {
boolean originalAutoCommit = connection.getAutoCommit();
try {
if (originalAutoCommit != this.autoCommit) {
connection.setAutoCommit(this.autoCommit);
}
runScript(connection, reader);
} finally {
connection.setAutoCommit(originalAutoCommit);
}
} catch (IOException | SQLException e) {
throw e;
} catch (Exception e) {
throw new RuntimeException("Error running script. Cause: " + e, e);
}
}
/**
* Runs an SQL script (read in using the Reader parameter) using the connection passed in
*
* @param conn - the connection to use for the script
* @param reader - the source of the script
* @throws SQLException if any SQL errors occur
* @throws IOException if there is an error reading from the Reader
*/
private void runScript(Connection conn, Reader reader) throws IOException, SQLException {
StringBuffer command = null;
try {
LineNumberReader lineReader = new LineNumberReader(reader);
String line;
while ((line = lineReader.readLine()) != null) {
if (command == null) {
command = new StringBuffer();
}
String trimmedLine = line.trim();
final Matcher delimMatch = delimP.matcher(trimmedLine);
if (trimmedLine.length() < 1 || trimmedLine.startsWith("//")) {
// Do nothing
} else if (delimMatch.matches()) {
setDelimiter(delimMatch.group(2), false);
} else if (trimmedLine.startsWith("--")) {
println(trimmedLine);
} else if (trimmedLine.length() < 1 || trimmedLine.startsWith("--")) {
// Do nothing
} else if (!fullLineDelimiter && trimmedLine.endsWith(getDelimiter())
|| fullLineDelimiter && trimmedLine.equals(getDelimiter())) {
command.append(line.substring(0, line.lastIndexOf(getDelimiter())));
command.append(" ");
this.execCommand(conn, command, lineReader);
command = null;
} else {
command.append(line);
command.append("\n");
}
}
if (command != null) {
this.execCommand(conn, command, lineReader);
}
if (!autoCommit) {
conn.commit();
}
} catch (IOException e) {
throw new IOException(String.format("Error executing '%s': %s", command, e.getMessage()), e);
} finally {
conn.rollback();
flush();
}
}
private void execCommand(Connection conn, StringBuffer command, LineNumberReader lineReader)
throws SQLException {
Statement statement = conn.createStatement();
println(command);
boolean hasResults = false;
try {
hasResults = statement.execute(command.toString());
} catch (SQLException e) {
final String errText =
String.format(
"Error executing '%s' (line %d): %s",
command, lineReader.getLineNumber(), e.getMessage());
printlnError(errText);
System.err.println(errText);
if (stopOnError) {
throw new SQLException(errText, e);
}
}
if (autoCommit && !conn.getAutoCommit()) {
conn.commit();
}
ResultSet rs = statement.getResultSet();
if (hasResults && rs != null) {
ResultSetMetaData md = rs.getMetaData();
int cols = md.getColumnCount();
for (int i = 1; i <= cols; i++) {
String name = md.getColumnLabel(i);
print(name + "\t");
}
println("");
while (rs.next()) {
for (int i = 1; i <= cols; i++) {
String value = rs.getString(i);
print(value + "\t");
}
println("");
}
}
try {
statement.close();
} catch (Exception e) {
// Ignore to workaround a bug in Jakarta DBCP
}
}
private String getDelimiter() {
return delimiter;
}
@SuppressWarnings("UseOfSystemOutOrSystemErr")
private void print(Object o) {
if (logWriter != null) {
logWriter.print(o);
}
}
private void println(Object o) {
if (logWriter != null) {
logWriter.println(o);
}
}
private void printlnError(Object o) {
if (errorLogWriter != null) {
errorLogWriter.println(o);
}
}
private void flush() {
if (logWriter != null) {
logWriter.flush();
}
if (errorLogWriter != null) {
errorLogWriter.flush();
}
}
}
| .version 52 0
.class public super ScriptRunner
.super java/lang/Object
.field private static final DEFAULT_DELIMITER Ljava/lang/String; = ';'
.field public static final delimP Ljava/util/regex/Pattern;
.field private final connection Ljava/sql/Connection;
.field private final stopOnError Z
.field private final autoCommit Z
.field private logWriter Ljava/io/PrintWriter;
.field private errorLogWriter Ljava/io/PrintWriter;
.field private delimiter Ljava/lang/String;
.field private fullLineDelimiter Z
.method public <init> : (Ljava/sql/Connection;ZZ)V
.code stack 7 locals 7
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aconst_null
L6: putfield Field ScriptRunner logWriter Ljava/io/PrintWriter;
L9: aload_0
L10: aconst_null
L11: putfield Field ScriptRunner errorLogWriter Ljava/io/PrintWriter;
L14: aload_0
L15: ldc ';'
L17: putfield Field ScriptRunner delimiter Ljava/lang/String;
L20: aload_0
L21: iconst_0
L22: putfield Field ScriptRunner fullLineDelimiter Z
L25: aload_0
L26: aload_1
L27: putfield Field ScriptRunner connection Ljava/sql/Connection;
L30: aload_0
L31: iload_2
L32: putfield Field ScriptRunner autoCommit Z
L35: aload_0
L36: iload_3
L37: putfield Field ScriptRunner stopOnError Z
L40: new java/io/File
L43: dup
L44: ldc 'create_db.log'
L46: invokespecial Method java/io/File <init> (Ljava/lang/String;)V
L49: astore 4
L51: new java/io/File
L54: dup
L55: ldc 'create_db_error.log'
L57: invokespecial Method java/io/File <init> (Ljava/lang/String;)V
L60: astore 5
.catch java/io/IOException from L62 to L115 using L118
L62: aload 4
L64: invokevirtual Method java/io/File exists ()Z
L67: ifeq L94
L70: aload_0
L71: new java/io/PrintWriter
L74: dup
L75: new java/io/FileWriter
L78: dup
L79: aload 4
L81: iconst_1
L82: invokespecial Method java/io/FileWriter <init> (Ljava/io/File;Z)V
L85: invokespecial Method java/io/PrintWriter <init> (Ljava/io/Writer;)V
L88: putfield Field ScriptRunner logWriter Ljava/io/PrintWriter;
L91: goto L115
.stack full
locals Object ScriptRunner Object java/sql/Connection Integer Integer Object java/io/File Object java/io/File
stack
.end stack
L94: aload_0
L95: new java/io/PrintWriter
L98: dup
L99: new java/io/FileWriter
L102: dup
L103: aload 4
L105: iconst_0
L106: invokespecial Method java/io/FileWriter <init> (Ljava/io/File;Z)V
L109: invokespecial Method java/io/PrintWriter <init> (Ljava/io/Writer;)V
L112: putfield Field ScriptRunner logWriter Ljava/io/PrintWriter;
.stack same
L115: goto L128
.stack stack_1 Object java/io/IOException
L118: astore 6
L120: getstatic Field java/lang/System err Ljava/io/PrintStream;
L123: ldc 'Unable to access or create the db_create log'
L125: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.catch java/io/IOException from L128 to L181 using L184
.stack same
L128: aload 4
L130: invokevirtual Method java/io/File exists ()Z
L133: ifeq L160
L136: aload_0
L137: new java/io/PrintWriter
L140: dup
L141: new java/io/FileWriter
L144: dup
L145: aload 5
L147: iconst_1
L148: invokespecial Method java/io/FileWriter <init> (Ljava/io/File;Z)V
L151: invokespecial Method java/io/PrintWriter <init> (Ljava/io/Writer;)V
L154: putfield Field ScriptRunner errorLogWriter Ljava/io/PrintWriter;
L157: goto L181
.stack same
L160: aload_0
L161: new java/io/PrintWriter
L164: dup
L165: new java/io/FileWriter
L168: dup
L169: aload 5
L171: iconst_0
L172: invokespecial Method java/io/FileWriter <init> (Ljava/io/File;Z)V
L175: invokespecial Method java/io/PrintWriter <init> (Ljava/io/Writer;)V
L178: putfield Field ScriptRunner errorLogWriter Ljava/io/PrintWriter;
.stack same
L181: goto L194
.stack stack_1 Object java/io/IOException
L184: astore 6
L186: getstatic Field java/lang/System err Ljava/io/PrintStream;
L189: ldc 'Unable to access or create the db_create error log'
L191: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack same
L194: new java/text/SimpleDateFormat
L197: dup
L198: ldc 'dd/mm/yyyy HH:mm:ss'
L200: invokespecial Method java/text/SimpleDateFormat <init> (Ljava/lang/String;)V
L203: new java/util/Date
L206: dup
L207: invokespecial Method java/util/Date <init> ()V
L210: invokevirtual Method java/text/SimpleDateFormat format (Ljava/util/Date;)Ljava/lang/String;
L213: astore 6
L215: aload_0
L216: new java/lang/StringBuilder
L219: dup
L220: invokespecial Method java/lang/StringBuilder <init> ()V
L223: ldc '\n-------\n'
L225: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L228: aload 6
L230: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L233: ldc '\n-------\n'
L235: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L238: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L241: invokespecial Method ScriptRunner println (Ljava/lang/Object;)V
L244: aload_0
L245: new java/lang/StringBuilder
L248: dup
L249: invokespecial Method java/lang/StringBuilder <init> ()V
L252: ldc '\n-------\n'
L254: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L257: aload 6
L259: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L262: ldc '\n-------\n'
L264: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L267: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L270: invokespecial Method ScriptRunner printlnError (Ljava/lang/Object;)V
L273: return
L274:
.linenumbertable
L0 67
L4 55
L9 57
L14 60
L20 61
L25 68
L30 69
L35 70
L40 71
L51 72
L62 74
L70 75
L94 77
L115 81
L118 79
L120 80
L128 83
L136 84
L160 86
L181 90
L184 88
L186 89
L194 91
L215 92
L244 93
L273 94
.end linenumbertable
.end code
.end method
.method public setDelimiter : (Ljava/lang/String;Z)V
.code stack 2 locals 3
L0: aload_0
L1: aload_1
L2: putfield Field ScriptRunner delimiter Ljava/lang/String;
L5: aload_0
L6: iload_2
L7: putfield Field ScriptRunner fullLineDelimiter Z
L10: return
L11:
.linenumbertable
L0 97
L5 98
L10 99
.end linenumbertable
.end code
.end method
.method public setLogWriter : (Ljava/io/PrintWriter;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field ScriptRunner logWriter Ljava/io/PrintWriter;
L5: return
L6:
.linenumbertable
L0 107
L5 108
.end linenumbertable
.end code
.end method
.method public setErrorLogWriter : (Ljava/io/PrintWriter;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field ScriptRunner errorLogWriter Ljava/io/PrintWriter;
L5: return
L6:
.linenumbertable
L0 116
L5 117
.end linenumbertable
.end code
.end method
.method public runScript : (Ljava/io/Reader;)V
.code stack 4 locals 4
L0: aload_0
L1: getfield Field ScriptRunner connection Ljava/sql/Connection;
L4: invokeinterface InterfaceMethod java/sql/Connection getAutoCommit ()Z 1
L9: istore_2
.catch [0] from L10 to L40 using L53
.catch java/io/IOException from L0 to L66 using L69
.catch java/sql/SQLException from L0 to L66 using L69
.catch java/lang/Exception from L0 to L66 using L72
L10: iload_2
L11: aload_0
L12: getfield Field ScriptRunner autoCommit Z
L15: if_icmpeq L31
L18: aload_0
L19: getfield Field ScriptRunner connection Ljava/sql/Connection;
L22: aload_0
L23: getfield Field ScriptRunner autoCommit Z
L26: invokeinterface InterfaceMethod java/sql/Connection setAutoCommit (Z)V 2
.stack append Integer
L31: aload_0
L32: aload_0
L33: getfield Field ScriptRunner connection Ljava/sql/Connection;
L36: aload_1
L37: invokespecial Method ScriptRunner runScript (Ljava/sql/Connection;Ljava/io/Reader;)V
L40: aload_0
L41: getfield Field ScriptRunner connection Ljava/sql/Connection;
L44: iload_2
L45: invokeinterface InterfaceMethod java/sql/Connection setAutoCommit (Z)V 2
L50: goto L66
.stack stack_1 Object java/lang/Throwable
L53: astore_3
L54: aload_0
L55: getfield Field ScriptRunner connection Ljava/sql/Connection;
L58: iload_2
L59: invokeinterface InterfaceMethod java/sql/Connection setAutoCommit (Z)V 2
L64: aload_3
L65: athrow
.stack chop 1
L66: goto L101
.stack stack_1 Object java/lang/Exception
L69: astore_2
L70: aload_2
L71: athrow
.stack stack_1 Object java/lang/Exception
L72: astore_2
L73: new java/lang/RuntimeException
L76: dup
L77: new java/lang/StringBuilder
L80: dup
L81: invokespecial Method java/lang/StringBuilder <init> ()V
L84: ldc 'Error running script. Cause: '
L86: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L89: aload_2
L90: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L93: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L96: aload_2
L97: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;Ljava/lang/Throwable;)V
L100: athrow
.stack same
L101: return
L102:
.linenumbertable
L0 126
L10 128
L18 129
L31 131
L40 133
L50 134
L53 133
L64 134
L66 139
L69 135
L70 136
L72 137
L73 138
L101 140
.end linenumbertable
.end code
.exceptions java/io/IOException java/sql/SQLException
.end method
.method private runScript : (Ljava/sql/Connection;Ljava/io/Reader;)V
.code stack 7 locals 9
L0: aconst_null
L1: astore_3
.catch java/io/IOException from L2 to L257 using L270
.catch [0] from L2 to L257 using L303
L2: new java/io/LineNumberReader
L5: dup
L6: aload_2
L7: invokespecial Method java/io/LineNumberReader <init> (Ljava/io/Reader;)V
L10: astore 4
.stack append Object java/lang/StringBuffer Object java/io/LineNumberReader
L12: aload 4
L14: invokevirtual Method java/io/LineNumberReader readLine ()Ljava/lang/String;
L17: dup
L18: astore 5
L20: ifnull L232
L23: aload_3
L24: ifnonnull L35
L27: new java/lang/StringBuffer
L30: dup
L31: invokespecial Method java/lang/StringBuffer <init> ()V
L34: astore_3
.stack append Object java/lang/String
L35: aload 5
L37: invokevirtual Method java/lang/String trim ()Ljava/lang/String;
L40: astore 6
L42: getstatic Field ScriptRunner delimP Ljava/util/regex/Pattern;
L45: aload 6
L47: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher;
L50: astore 7
L52: aload 6
L54: invokevirtual Method java/lang/String length ()I
L57: iconst_1
L58: if_icmplt L229
L61: aload 6
L63: ldc '//'
L65: invokevirtual Method java/lang/String startsWith (Ljava/lang/String;)Z
L68: ifeq L74
L71: goto L229
.stack append Object java/lang/String Object java/util/regex/Matcher
L74: aload 7
L76: invokevirtual Method java/util/regex/Matcher matches ()Z
L79: ifeq L96
L82: aload_0
L83: aload 7
L85: iconst_2
L86: invokevirtual Method java/util/regex/Matcher group (I)Ljava/lang/String;
L89: iconst_0
L90: invokevirtual Method ScriptRunner setDelimiter (Ljava/lang/String;Z)V
L93: goto L229
.stack same
L96: aload 6
L98: ldc '--'
L100: invokevirtual Method java/lang/String startsWith (Ljava/lang/String;)Z
L103: ifeq L115
L106: aload_0
L107: aload 6
L109: invokespecial Method ScriptRunner println (Ljava/lang/Object;)V
L112: goto L229
.stack same
L115: aload 6
L117: invokevirtual Method java/lang/String length ()I
L120: iconst_1
L121: if_icmplt L229
L124: aload 6
L126: ldc '--'
L128: invokevirtual Method java/lang/String startsWith (Ljava/lang/String;)Z
L131: ifeq L137
L134: goto L229
.stack same
L137: aload_0
L138: getfield Field ScriptRunner fullLineDelimiter Z
L141: ifne L156
L144: aload 6
L146: aload_0
L147: invokespecial Method ScriptRunner getDelimiter ()Ljava/lang/String;
L150: invokevirtual Method java/lang/String endsWith (Ljava/lang/String;)Z
L153: ifne L175
.stack same
L156: aload_0
L157: getfield Field ScriptRunner fullLineDelimiter Z
L160: ifeq L215
L163: aload 6
L165: aload_0
L166: invokespecial Method ScriptRunner getDelimiter ()Ljava/lang/String;
L169: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L172: ifeq L215
.stack same
L175: aload_3
L176: aload 5
L178: iconst_0
L179: aload 5
L181: aload_0
L182: invokespecial Method ScriptRunner getDelimiter ()Ljava/lang/String;
L185: invokevirtual Method java/lang/String lastIndexOf (Ljava/lang/String;)I
L188: invokevirtual Method java/lang/String substring (II)Ljava/lang/String;
L191: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L194: pop
L195: aload_3
L196: ldc ' '
L198: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L201: pop
L202: aload_0
L203: aload_1
L204: aload_3
L205: aload 4
L207: invokespecial Method ScriptRunner execCommand (Ljava/sql/Connection;Ljava/lang/StringBuffer;Ljava/io/LineNumberReader;)V
L210: aconst_null
L211: astore_3
L212: goto L229
.stack same
L215: aload_3
L216: aload 5
L218: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L221: pop
L222: aload_3
L223: ldc '\n'
L225: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L228: pop
.stack chop 2
L229: goto L12
.stack same
L232: aload_3
L233: ifnull L244
L236: aload_0
L237: aload_1
L238: aload_3
L239: aload 4
L241: invokespecial Method ScriptRunner execCommand (Ljava/sql/Connection;Ljava/lang/StringBuffer;Ljava/io/LineNumberReader;)V
.stack same
L244: aload_0
L245: getfield Field ScriptRunner autoCommit Z
L248: ifne L257
L251: aload_1
L252: invokeinterface InterfaceMethod java/sql/Connection commit ()V 1
.stack chop 2
L257: aload_1
L258: invokeinterface InterfaceMethod java/sql/Connection rollback ()V 1
L263: aload_0
L264: invokespecial Method ScriptRunner flush ()V
L267: goto L318
.catch [0] from L270 to L305 using L303
.stack stack_1 Object java/io/IOException
L270: astore 4
L272: new java/io/IOException
L275: dup
L276: ldc "Error executing '%s': %s"
L278: iconst_2
L279: anewarray java/lang/Object
L282: dup
L283: iconst_0
L284: aload_3
L285: aastore
L286: dup
L287: iconst_1
L288: aload 4
L290: invokevirtual Method java/io/IOException getMessage ()Ljava/lang/String;
L293: aastore
L294: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String;
L297: aload 4
L299: invokespecial Method java/io/IOException <init> (Ljava/lang/String;Ljava/lang/Throwable;)V
L302: athrow
.stack stack_1 Object java/lang/Throwable
L303: astore 8
L305: aload_1
L306: invokeinterface InterfaceMethod java/sql/Connection rollback ()V 1
L311: aload_0
L312: invokespecial Method ScriptRunner flush ()V
L315: aload 8
L317: athrow
.stack same
L318: return
L319:
.linenumbertable
L0 153
L2 155
L12 157
L23 158
L27 159
L35 161
L42 162
L52 163
L65 164
L74 166
L82 167
L96 168
L106 169
L115 170
L128 171
L137 173
L147 174
L166 176
L175 177
L182 178
L188 177
L195 179
L202 180
L210 181
L215 183
L222 184
L229 186
L232 187
L236 188
L244 190
L251 191
L257 197
L263 198
L267 199
L270 194
L272 195
L303 197
L311 198
L315 199
L318 200
.end linenumbertable
.end code
.exceptions java/io/IOException java/sql/SQLException
.end method
.method private execCommand : (Ljava/sql/Connection;Ljava/lang/StringBuffer;Ljava/io/LineNumberReader;)V
.code stack 5 locals 11
L0: aload_1
L1: invokeinterface InterfaceMethod java/sql/Connection createStatement ()Ljava/sql/Statement; 1
L6: astore 4
L8: aload_0
L9: aload_2
L10: invokespecial Method ScriptRunner println (Ljava/lang/Object;)V
L13: iconst_0
L14: istore 5
.catch java/sql/SQLException from L16 to L29 using L32
L16: aload 4
L18: aload_2
L19: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String;
L22: invokeinterface InterfaceMethod java/sql/Statement execute (Ljava/lang/String;)Z 2
L27: istore 5
L29: goto L100
.stack full
locals Object ScriptRunner Object java/sql/Connection Object java/lang/StringBuffer Object java/io/LineNumberReader Object java/sql/Statement Integer
stack Object java/sql/SQLException
.end stack
L32: astore 6
L34: ldc "Error executing '%s' (line %d): %s"
L36: iconst_3
L37: anewarray java/lang/Object
L40: dup
L41: iconst_0
L42: aload_2
L43: aastore
L44: dup
L45: iconst_1
L46: aload_3
L47: invokevirtual Method java/io/LineNumberReader getLineNumber ()I
L50: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L53: aastore
L54: dup
L55: iconst_2
L56: aload 6
L58: invokevirtual Method java/sql/SQLException getMessage ()Ljava/lang/String;
L61: aastore
L62: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String;
L65: astore 7
L67: aload_0
L68: aload 7
L70: invokespecial Method ScriptRunner printlnError (Ljava/lang/Object;)V
L73: getstatic Field java/lang/System err Ljava/io/PrintStream;
L76: aload 7
L78: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L81: aload_0
L82: getfield Field ScriptRunner stopOnError Z
L85: ifeq L100
L88: new java/sql/SQLException
L91: dup
L92: aload 7
L94: aload 6
L96: invokespecial Method java/sql/SQLException <init> (Ljava/lang/String;Ljava/lang/Throwable;)V
L99: athrow
.stack same_extended
L100: aload_0
L101: getfield Field ScriptRunner autoCommit Z
L104: ifeq L122
L107: aload_1
L108: invokeinterface InterfaceMethod java/sql/Connection getAutoCommit ()Z 1
L113: ifne L122
L116: aload_1
L117: invokeinterface InterfaceMethod java/sql/Connection commit ()V 1
.stack same
L122: aload 4
L124: invokeinterface InterfaceMethod java/sql/Statement getResultSet ()Ljava/sql/ResultSet; 1
L129: astore 6
L131: iload 5
L133: ifeq L286
L136: aload 6
L138: ifnull L286
L141: aload 6
L143: invokeinterface InterfaceMethod java/sql/ResultSet getMetaData ()Ljava/sql/ResultSetMetaData; 1
L148: astore 7
L150: aload 7
L152: invokeinterface InterfaceMethod java/sql/ResultSetMetaData getColumnCount ()I 1
L157: istore 8
L159: iconst_1
L160: istore 9
.stack full
locals Object ScriptRunner Object java/sql/Connection Object java/lang/StringBuffer Object java/io/LineNumberReader Object java/sql/Statement Integer Object java/sql/ResultSet Object java/sql/ResultSetMetaData Integer Integer
stack
.end stack
L162: iload 9
L164: iload 8
L166: if_icmpgt L210
L169: aload 7
L171: iload 9
L173: invokeinterface InterfaceMethod java/sql/ResultSetMetaData getColumnLabel (I)Ljava/lang/String; 2
L178: astore 10
L180: aload_0
L181: new java/lang/StringBuilder
L184: dup
L185: invokespecial Method java/lang/StringBuilder <init> ()V
L188: aload 10
L190: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L193: ldc '\t'
L195: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L198: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L201: invokespecial Method ScriptRunner print (Ljava/lang/Object;)V
L204: iinc 9 1
L207: goto L162
.stack chop 1
L210: aload_0
L211: ldc ''
L213: invokespecial Method ScriptRunner println (Ljava/lang/Object;)V
.stack same
L216: aload 6
L218: invokeinterface InterfaceMethod java/sql/ResultSet next ()Z 1
L223: ifeq L286
L226: iconst_1
L227: istore 9
.stack append Integer
L229: iload 9
L231: iload 8
L233: if_icmpgt L277
L236: aload 6
L238: iload 9
L240: invokeinterface InterfaceMethod java/sql/ResultSet getString (I)Ljava/lang/String; 2
L245: astore 10
L247: aload_0
L248: new java/lang/StringBuilder
L251: dup
L252: invokespecial Method java/lang/StringBuilder <init> ()V
L255: aload 10
L257: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L260: ldc '\t'
L262: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L265: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L268: invokespecial Method ScriptRunner print (Ljava/lang/Object;)V
L271: iinc 9 1
L274: goto L229
.stack chop 1
L277: aload_0
L278: ldc ''
L280: invokespecial Method ScriptRunner println (Ljava/lang/Object;)V
L283: goto L216
.catch java/lang/Exception from L286 to L293 using L296
.stack chop 2
L286: aload 4
L288: invokeinterface InterfaceMethod java/sql/Statement close ()V 1
L293: goto L298
.stack stack_1 Object java/lang/Exception
L296: astore 7
.stack same
L298: return
L299:
.linenumbertable
L0 204
L8 206
L13 208
L16 210
L29 219
L32 211
L34 212
L47 213
L62 212
L67 214
L73 215
L81 216
L88 217
L100 221
L116 222
L122 225
L131 226
L141 227
L150 228
L159 229
L169 230
L180 231
L204 229
L210 233
L216 234
L226 235
L236 236
L247 237
L271 235
L277 239
L286 244
L293 247
L296 245
L298 248
.end linenumbertable
.end code
.exceptions java/sql/SQLException
.end method
.method private getDelimiter : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ScriptRunner delimiter Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 251
.end linenumbertable
.end code
.end method
.method private print : (Ljava/lang/Object;)V
.code stack 2 locals 2
L0: aload_0
L1: getfield Field ScriptRunner logWriter Ljava/io/PrintWriter;
L4: ifnull L15
L7: aload_0
L8: getfield Field ScriptRunner logWriter Ljava/io/PrintWriter;
L11: aload_1
L12: invokevirtual Method java/io/PrintWriter print (Ljava/lang/Object;)V
.stack same
L15: return
L16:
.linenumbertable
L0 257
L7 258
L15 260
.end linenumbertable
.end code
.end method
.method private println : (Ljava/lang/Object;)V
.code stack 2 locals 2
L0: aload_0
L1: getfield Field ScriptRunner logWriter Ljava/io/PrintWriter;
L4: ifnull L15
L7: aload_0
L8: getfield Field ScriptRunner logWriter Ljava/io/PrintWriter;
L11: aload_1
L12: invokevirtual Method java/io/PrintWriter println (Ljava/lang/Object;)V
.stack same
L15: return
L16:
.linenumbertable
L0 263
L7 264
L15 266
.end linenumbertable
.end code
.end method
.method private printlnError : (Ljava/lang/Object;)V
.code stack 2 locals 2
L0: aload_0
L1: getfield Field ScriptRunner errorLogWriter Ljava/io/PrintWriter;
L4: ifnull L15
L7: aload_0
L8: getfield Field ScriptRunner errorLogWriter Ljava/io/PrintWriter;
L11: aload_1
L12: invokevirtual Method java/io/PrintWriter println (Ljava/lang/Object;)V
.stack same
L15: return
L16:
.linenumbertable
L0 269
L7 270
L15 272
.end linenumbertable
.end code
.end method
.method private flush : ()V
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ScriptRunner logWriter Ljava/io/PrintWriter;
L4: ifnull L14
L7: aload_0
L8: getfield Field ScriptRunner logWriter Ljava/io/PrintWriter;
L11: invokevirtual Method java/io/PrintWriter flush ()V
.stack same
L14: aload_0
L15: getfield Field ScriptRunner errorLogWriter Ljava/io/PrintWriter;
L18: ifnull L28
L21: aload_0
L22: getfield Field ScriptRunner errorLogWriter Ljava/io/PrintWriter;
L25: invokevirtual Method java/io/PrintWriter flush ()V
.stack same
L28: return
L29:
.linenumbertable
L0 275
L7 276
L14 278
L21 279
L28 281
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 2 locals 0
L0: ldc '^\\s*(--)?\\s*delimiter\\s*=?\\s*([^\\s]+)+\\s*.*$'
L2: iconst_2
L3: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;I)Ljava/util/regex/Pattern;
L6: putstatic Field ScriptRunner delimP Ljava/util/regex/Pattern;
L9: return
L10:
.linenumbertable
L0 48
.end linenumbertable
.end code
.end method
.sourcefile 'ScriptRunner.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 13:23:31 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.shaded.org.mockito.Mockito.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.io.IOException;
import java.io.PrintWriter;
import java.io.StringReader;
import java.sql.Connection;
import java.sql.Statement;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.ViolatedAssumptionAnswer;
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 ScriptRunner_ESTest extends ScriptRunner_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
Connection connection0 = mock(Connection.class, new ViolatedAssumptionAnswer());
doReturn((Statement) null).when(connection0).createStatement();
doReturn(false).when(connection0).getAutoCommit();
ScriptRunner scriptRunner0 = new ScriptRunner(connection0, false, false);
StringReader stringReader0 = new StringReader("86ka7N.:?#&;");
// Undeclared exception!
try {
scriptRunner0.runScript(stringReader0);
fail("Expecting exception: RuntimeException");
} catch(RuntimeException e) {
//
// Error running script. Cause: java.lang.NullPointerException
//
verifyException("ScriptRunner", e);
}
}
@Test(timeout = 4000)
public void test01() throws Throwable {
Connection connection0 = mock(Connection.class, new ViolatedAssumptionAnswer());
doReturn((Statement) null).when(connection0).createStatement();
doReturn(false).when(connection0).getAutoCommit();
ScriptRunner scriptRunner0 = new ScriptRunner(connection0, false, false);
String string0 = " ";
StringReader stringReader0 = new StringReader(" ");
// Undeclared exception!
try {
scriptRunner0.runScript(stringReader0);
fail("Expecting exception: RuntimeException");
} catch(RuntimeException e) {
//
// Error running script. Cause: java.lang.NullPointerException
//
verifyException("ScriptRunner", e);
}
}
@Test(timeout = 4000)
public void test02() throws Throwable {
Connection connection0 = mock(Connection.class, new ViolatedAssumptionAnswer());
doReturn(false).when(connection0).getAutoCommit();
ScriptRunner scriptRunner0 = new ScriptRunner(connection0, false, false);
StringReader stringReader0 = new StringReader("");
stringReader0.close();
try {
scriptRunner0.runScript(stringReader0);
fail("Expecting exception: IOException");
} catch(IOException e) {
//
// Error executing 'null': Stream closed
//
verifyException("ScriptRunner", e);
}
}
@Test(timeout = 4000)
public void test03() throws Throwable {
Connection connection0 = mock(Connection.class, new ViolatedAssumptionAnswer());
doReturn(false).when(connection0).getAutoCommit();
ScriptRunner scriptRunner0 = new ScriptRunner(connection0, false, false);
StringReader stringReader0 = new StringReader("");
scriptRunner0.setErrorLogWriter((PrintWriter) null);
scriptRunner0.runScript(stringReader0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
Connection connection0 = mock(Connection.class, new ViolatedAssumptionAnswer());
doReturn((Statement) null).when(connection0).createStatement();
doReturn(false).when(connection0).getAutoCommit();
ScriptRunner scriptRunner0 = new ScriptRunner(connection0, true, false);
StringReader stringReader0 = new StringReader("--");
scriptRunner0.setLogWriter((PrintWriter) null);
// Undeclared exception!
try {
scriptRunner0.runScript(stringReader0);
fail("Expecting exception: RuntimeException");
} catch(RuntimeException e) {
//
// Error running script. Cause: java.lang.NullPointerException
//
verifyException("ScriptRunner", e);
}
}
@Test(timeout = 4000)
public void test05() throws Throwable {
Connection connection0 = mock(Connection.class, new ViolatedAssumptionAnswer());
doReturn(false).when(connection0).getAutoCommit();
ScriptRunner scriptRunner0 = new ScriptRunner(connection0, true, true);
StringReader stringReader0 = new StringReader("");
scriptRunner0.runScript(stringReader0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
Connection connection0 = mock(Connection.class, new ViolatedAssumptionAnswer());
doReturn((Statement) null).when(connection0).createStatement();
doReturn(false).when(connection0).getAutoCommit();
ScriptRunner scriptRunner0 = new ScriptRunner(connection0, false, false);
scriptRunner0.setDelimiter("", false);
StringReader stringReader0 = new StringReader("Error executing '%s': %s");
// Undeclared exception!
try {
scriptRunner0.runScript(stringReader0);
fail("Expecting exception: RuntimeException");
} catch(RuntimeException e) {
//
// Error running script. Cause: java.lang.NullPointerException
//
verifyException("ScriptRunner", e);
}
}
@Test(timeout = 4000)
public void test07() throws Throwable {
Connection connection0 = mock(Connection.class, new ViolatedAssumptionAnswer());
doReturn((Statement) null).when(connection0).createStatement();
doReturn(false).when(connection0).getAutoCommit();
ScriptRunner scriptRunner0 = new ScriptRunner(connection0, true, false);
scriptRunner0.setDelimiter("'&,Tu}uY:Svz5", true);
StringReader stringReader0 = new StringReader("I{OI:($YAWG>PA.qRaT");
// Undeclared exception!
try {
scriptRunner0.runScript(stringReader0);
fail("Expecting exception: RuntimeException");
} catch(RuntimeException e) {
//
// Error running script. Cause: java.lang.NullPointerException
//
verifyException("ScriptRunner", e);
}
}
@Test(timeout = 4000)
public void test08() throws Throwable {
Connection connection0 = mock(Connection.class, new ViolatedAssumptionAnswer());
doReturn((Statement) null).when(connection0).createStatement();
doReturn(false).when(connection0).getAutoCommit();
ScriptRunner scriptRunner0 = new ScriptRunner(connection0, false, false);
StringReader stringReader0 = new StringReader("Error executing '%s': %s");
// Undeclared exception!
try {
scriptRunner0.runScript(stringReader0);
fail("Expecting exception: RuntimeException");
} catch(RuntimeException e) {
//
// Error running script. Cause: java.lang.NullPointerException
//
verifyException("ScriptRunner", e);
}
}
@Test(timeout = 4000)
public void test09() throws Throwable {
EvoSuiteFile evoSuiteFile0 = new EvoSuiteFile("create_db.log");
FileSystemHandling.createFolder(evoSuiteFile0);
Connection connection0 = mock(Connection.class, new ViolatedAssumptionAnswer());
ScriptRunner scriptRunner0 = new ScriptRunner(connection0, true, false);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
Connection connection0 = mock(Connection.class, new ViolatedAssumptionAnswer());
ScriptRunner scriptRunner0 = new ScriptRunner(connection0, true, false);
scriptRunner0.setDelimiter("I{OI:($YAWG>PA.qRaT", false);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 13:23:31 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
import static org.evosuite.shaded.org.mockito.Mockito.*;
@EvoSuiteClassExclude
public class ScriptRunner_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ScriptRunner";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
try { initMocksToAvoidTimeoutsInTheTests(); } catch(ClassNotFoundException e) {}
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp1ne72z5l");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ScriptRunner_ESTest_scaffolding.class.getClassLoader() ,
"ScriptRunner"
);
}
private static void initMocksToAvoidTimeoutsInTheTests() throws ClassNotFoundException {
mock(Class.forName("java.sql.Connection", false, ScriptRunner_ESTest_scaffolding.class.getClassLoader()));
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ScriptRunner_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ScriptRunner"
);
}
}
| 4,900 |
ExceptionDemo | import java.util.Scanner;
public class ExceptionDemo {
public static void main(String[] args) {
Scanner input = new Scanner(System.in);
System.out.print("Enter an integer: ");
int number = input.nextInt();
// Display the result
System.out.println("The number entered is " + number);
}
}
| .version 52 0
.class public super ExceptionDemo
.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 3
L0: new java/util/Scanner
L3: dup
L4: getstatic Field java/lang/System in Ljava/io/InputStream;
L7: invokespecial Method java/util/Scanner <init> (Ljava/io/InputStream;)V
L10: astore_1
L11: getstatic Field java/lang/System out Ljava/io/PrintStream;
L14: ldc 'Enter an integer: '
L16: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V
L19: aload_1
L20: invokevirtual Method java/util/Scanner nextInt ()I
L23: istore_2
L24: getstatic Field java/lang/System out Ljava/io/PrintStream;
L27: new java/lang/StringBuilder
L30: dup
L31: invokespecial Method java/lang/StringBuilder <init> ()V
L34: ldc 'The number entered is '
L36: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L39: iload_2
L40: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L43: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L46: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L49: return
L50:
.linenumbertable
L0 7
L11 8
L19 9
L24 12
L49 14
.end linenumbertable
.end code
.end method
.sourcefile 'ExceptionDemo.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 07:36:05 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.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 ExceptionDemo_ESTest extends ExceptionDemo_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
SystemInUtil.addInputLine("0 )^6~uVK");
String[] stringArray0 = new String[5];
ExceptionDemo.main(stringArray0);
assertEquals(5, stringArray0.length);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
ExceptionDemo exceptionDemo0 = new ExceptionDemo();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 07:36: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 ExceptionDemo_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ExceptionDemo";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
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/tmpwurauc03");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ExceptionDemo_ESTest_scaffolding.class.getClassLoader() ,
"ExceptionDemo"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ExceptionDemo_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ExceptionDemo"
);
}
}
| 4,901 |
LinkInfo | /*******************************************************************************
* This file is part of OpenNMS(R).
*
* Copyright (C) 2007-2014 The OpenNMS Group, Inc.
* OpenNMS(R) is Copyright (C) 1999-2014 The OpenNMS Group, Inc.
*
* OpenNMS(R) is a registered trademark of The OpenNMS Group, Inc.
*
* OpenNMS(R) 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.
*
* OpenNMS(R) 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 OpenNMS(R). If not, see:
* http://www.gnu.org/licenses/
*
* For more information contact:
* OpenNMS(R) Licensing <[email protected]>
* http://www.opennms.org/
* http://www.opennms.com/
*******************************************************************************/
/**
* LinkInfo class.
*
* @author <a href="mailto:[email protected]">Antonio Russo</a>
* @version $Id: $
* @since 1.8.1
*/
public class LinkInfo {
int id;
int nodeid;
int ifindex;
int nodeparentid;
int parentifindex;
int linktypeid;
int snmpiftype;
long snmpifspeed;
int snmpifoperstatus;
int snmpifadminstatus;
String status;
LinkInfo(
int id,
int nodeid,
int ifindex,
int nodeparentid,
int parentifindex,
int snmpiftype,
long snmpifspeed,
int snmpifoperstatus,
int snmpifadminstatus,
String status,
int linktypeid) {
super();
this.id = id;
this.nodeid = nodeid;
this.ifindex = ifindex;
this.nodeparentid = nodeparentid;
this.parentifindex = parentifindex;
this.snmpiftype = snmpiftype;
this.snmpifspeed = snmpifspeed;
this.snmpifoperstatus = snmpifoperstatus;
this.snmpifadminstatus = snmpifadminstatus;
this.status = status;
this.linktypeid = linktypeid;
}
/** {@inheritDoc} */
@Override
public boolean equals(Object obj) {
if (obj instanceof LinkInfo) {
LinkInfo ol = (LinkInfo) obj;
return (ol.id == this.id);
}
return false;
}
/**
* hashCode
*
* @return a int.
*/
@Override
public int hashCode() {
return this.id;
}
}
| .version 52 0
.class public super LinkInfo
.super java/lang/Object
.field id I
.field nodeid I
.field ifindex I
.field nodeparentid I
.field parentifindex I
.field linktypeid I
.field snmpiftype I
.field snmpifspeed J
.field snmpifoperstatus I
.field snmpifadminstatus I
.field status Ljava/lang/String;
.method <init> : (IIIIIIJIILjava/lang/String;I)V
.code stack 3 locals 13
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iload_1
L6: putfield Field LinkInfo id I
L9: aload_0
L10: iload_2
L11: putfield Field LinkInfo nodeid I
L14: aload_0
L15: iload_3
L16: putfield Field LinkInfo ifindex I
L19: aload_0
L20: iload 4
L22: putfield Field LinkInfo nodeparentid I
L25: aload_0
L26: iload 5
L28: putfield Field LinkInfo parentifindex I
L31: aload_0
L32: iload 6
L34: putfield Field LinkInfo snmpiftype I
L37: aload_0
L38: lload 7
L40: putfield Field LinkInfo snmpifspeed J
L43: aload_0
L44: iload 9
L46: putfield Field LinkInfo snmpifoperstatus I
L49: aload_0
L50: iload 10
L52: putfield Field LinkInfo snmpifadminstatus I
L55: aload_0
L56: aload 11
L58: putfield Field LinkInfo status Ljava/lang/String;
L61: aload_0
L62: iload 12
L64: putfield Field LinkInfo linktypeid I
L67: return
L68:
.linenumbertable
L0 55
L4 56
L9 57
L14 58
L19 59
L25 60
L31 61
L37 62
L43 63
L49 64
L55 65
L61 66
L67 67
.end linenumbertable
.end code
.end method
.method public equals : (Ljava/lang/Object;)Z
.code stack 2 locals 3
L0: aload_1
L1: instanceof LinkInfo
L4: ifeq L29
L7: aload_1
L8: checkcast LinkInfo
L11: astore_2
L12: aload_2
L13: getfield Field LinkInfo id I
L16: aload_0
L17: getfield Field LinkInfo id I
L20: if_icmpne L27
L23: iconst_1
L24: goto L28
.stack append Object LinkInfo
L27: iconst_0
.stack stack_1 Integer
L28: ireturn
.stack chop 1
L29: iconst_0
L30: ireturn
L31:
.linenumbertable
L0 72
L7 73
L12 74
L29 77
.end linenumbertable
.end code
.end method
.method public hashCode : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field LinkInfo id I
L4: ireturn
L5:
.linenumbertable
L0 87
.end linenumbertable
.end code
.end method
.sourcefile 'LinkInfo.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 18:17: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 LinkInfo_ESTest extends LinkInfo_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
LinkInfo linkInfo0 = new LinkInfo((-21885), (-1299), (-21885), 12196, (-1299), (-21885), (-21885), (-1299), (-1299), (String) null, (-8854));
LinkInfo linkInfo1 = new LinkInfo((-8854), (-21885), 1, (-8854), (-27949), (-1299), 0L, (-1299), (-1299), "", (-27949));
boolean boolean0 = linkInfo0.equals(linkInfo1);
assertFalse(linkInfo1.equals((Object)linkInfo0));
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
LinkInfo linkInfo0 = new LinkInfo(0, 4865, 4865, 4865, 4865, 4865, 0, 0, (-1), "XY.+baAz#a*zy", 0);
LinkInfo linkInfo1 = new LinkInfo((-30980), 0, 0, (-9864), 0, 0, 43718L, (-29835), 0, "XY.+baAz#a*zy", 4865);
boolean boolean0 = linkInfo0.equals(linkInfo1);
assertFalse(boolean0);
assertFalse(linkInfo1.equals((Object)linkInfo0));
}
@Test(timeout = 4000)
public void test2() throws Throwable {
LinkInfo linkInfo0 = new LinkInfo(0, 4865, 4865, 4865, 4865, 4865, 0, 0, (-1), "XY.+baAz#a*zy", 0);
boolean boolean0 = linkInfo0.equals(linkInfo0);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
LinkInfo linkInfo0 = new LinkInfo(0, 4865, 4865, 4865, 4865, 4865, 0, 0, (-1), "XY.+baAz#a*zy", 0);
Object object0 = new Object();
boolean boolean0 = linkInfo0.equals(object0);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
LinkInfo linkInfo0 = new LinkInfo(0, 4865, 4865, 4865, 4865, 4865, 0, 0, (-1), "XY.+baAz#a*zy", 0);
linkInfo0.hashCode();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 18:17: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 LinkInfo_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "LinkInfo";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpsn98a5et");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(LinkInfo_ESTest_scaffolding.class.getClassLoader() ,
"LinkInfo"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(LinkInfo_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"LinkInfo"
);
}
}
| 4,902 |
TimeExercise | /** Created by ruyin on 2017/8/17. */
public class TimeExercise {}
| .version 52 0
.class public super TimeExercise
.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 'TimeExercise.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 02:33: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 TimeExercise_ESTest extends TimeExercise_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
TimeExercise timeExercise0 = new TimeExercise();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 02:33: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 TimeExercise_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "TimeExercise";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpt__8zhti");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TimeExercise_ESTest_scaffolding.class.getClassLoader() ,
"TimeExercise"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TimeExercise_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"TimeExercise"
);
}
}
| 4,903 |
NodeKeys | public class NodeKeys {
public static final String NODE_TYPE = "type";
public static final String CODE = "code";
public static final String LOCATION = "location";
public static final String FUNCTION_ID = "functionId";
public static final String CHILD_NUMBER = "childNum";
public static final String IS_CFG_NODE = "isCFGNode";
public static final String OPERATOR = "operator";
public static final String BASE_TYPE = "baseType";
public static final String COMPLETE_TYPE = "completeType";
public static final String IDENTIFIER = "identifier";
}
| .version 52 0
.class public super NodeKeys
.super java/lang/Object
.field public static final NODE_TYPE Ljava/lang/String; = 'type'
.field public static final CODE Ljava/lang/String; = 'code'
.field public static final LOCATION Ljava/lang/String; = 'location'
.field public static final FUNCTION_ID Ljava/lang/String; = 'functionId'
.field public static final CHILD_NUMBER Ljava/lang/String; = 'childNum'
.field public static final IS_CFG_NODE Ljava/lang/String; = 'isCFGNode'
.field public static final OPERATOR Ljava/lang/String; = 'operator'
.field public static final BASE_TYPE Ljava/lang/String; = 'baseType'
.field public static final COMPLETE_TYPE Ljava/lang/String; = 'completeType'
.field public static final IDENTIFIER Ljava/lang/String; = 'identifier'
.method 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 'NodeKeys.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 03:11:33 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class NodeKeys_ESTest extends NodeKeys_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
NodeKeys nodeKeys0 = new NodeKeys();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 03:11:33 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class NodeKeys_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "NodeKeys";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpx430ryw_");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(NodeKeys_ESTest_scaffolding.class.getClassLoader() ,
"NodeKeys"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(NodeKeys_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"NodeKeys"
);
}
}
| 4,904 |
UnderstandingCollectionscopy | /**
* Example 137 - Understanding the Type of the Collections.copy Method TODO: Senthil Kumaran - Write
* the program and Explain the tradeoff
*/
class UnderstandingCollectionscopy {}
| .version 52 0
.class super UnderstandingCollectionscopy
.super java/lang/Object
.method <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 5
.end linenumbertable
.end code
.end method
.sourcefile 'UnderstandingCollectionscopy.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 15:03: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 UnderstandingCollectionscopy_ESTest extends UnderstandingCollectionscopy_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
UnderstandingCollectionscopy understandingCollectionscopy0 = new UnderstandingCollectionscopy();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 15:03: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 UnderstandingCollectionscopy_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "UnderstandingCollectionscopy";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp0d0uhjqs");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(UnderstandingCollectionscopy_ESTest_scaffolding.class.getClassLoader() ,
"UnderstandingCollectionscopy"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UnderstandingCollectionscopy_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"UnderstandingCollectionscopy"
);
}
}
| 4,905 |
PIDBarOncologyManualClass | // #############################################################################
// # #
// # Copyright (C) <2014> <IMS MAXIMS> #
// # #
// # This program is free software: you can redistribute it and/or modify #
// # it under the terms of the GNU Affero General Public License as #
// # published by the Free Software Foundation, either version 3 of the #
// # License, or (at your option) any later version. #
// # #
// # 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/>. #
// # #
// #############################################################################
// #EOH
import java.util.Date;
public class PIDBarOncologyManualClass {
private Integer diagnosisID;
private String diagnosisDesc;
private Date start_date;
private Date end_date;
private String hcpNameSurname;
private String hcpNameForename;
private String hcpNameTitle;
public PIDBarOncologyManualClass(
Integer diagnosisID,
String diagnosisDesc,
Date start_date,
Date end_date,
String hcpNameSurname,
String hcpNameForename,
String hcpNameTitle) {
this.diagnosisID = diagnosisID;
this.diagnosisDesc = diagnosisDesc;
this.start_date = start_date;
this.end_date = end_date;
this.hcpNameSurname = hcpNameSurname;
this.hcpNameForename = hcpNameForename;
this.hcpNameTitle = hcpNameTitle;
}
public String getHcpName() {
String temp;
temp = this.hcpNameTitle != null ? this.hcpNameTitle + " " : "";
temp += this.hcpNameForename != null ? this.hcpNameForename : "";
temp += " ";
temp += this.hcpNameSurname != null ? this.hcpNameSurname : "";
return temp;
}
public String getDiagnosisDesc() {
return this.diagnosisDesc;
}
public Date getStartdate() {
return this.start_date;
}
public Date getEnddate() {
return this.end_date;
}
}
| .version 52 0
.class public super PIDBarOncologyManualClass
.super java/lang/Object
.field private diagnosisID Ljava/lang/Integer;
.field private diagnosisDesc Ljava/lang/String;
.field private start_date Ljava/util/Date;
.field private end_date Ljava/util/Date;
.field private hcpNameSurname Ljava/lang/String;
.field private hcpNameForename Ljava/lang/String;
.field private hcpNameTitle Ljava/lang/String;
.method public <init> : (Ljava/lang/Integer;Ljava/lang/String;Ljava/util/Date;Ljava/util/Date;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V
.code stack 2 locals 8
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field PIDBarOncologyManualClass diagnosisID Ljava/lang/Integer;
L9: aload_0
L10: aload_2
L11: putfield Field PIDBarOncologyManualClass diagnosisDesc Ljava/lang/String;
L14: aload_0
L15: aload_3
L16: putfield Field PIDBarOncologyManualClass start_date Ljava/util/Date;
L19: aload_0
L20: aload 4
L22: putfield Field PIDBarOncologyManualClass end_date Ljava/util/Date;
L25: aload_0
L26: aload 5
L28: putfield Field PIDBarOncologyManualClass hcpNameSurname Ljava/lang/String;
L31: aload_0
L32: aload 6
L34: putfield Field PIDBarOncologyManualClass hcpNameForename Ljava/lang/String;
L37: aload_0
L38: aload 7
L40: putfield Field PIDBarOncologyManualClass hcpNameTitle Ljava/lang/String;
L43: return
L44:
.linenumbertable
L0 41
L4 42
L9 43
L14 44
L19 45
L25 46
L31 47
L37 48
L43 49
.end linenumbertable
.end code
.end method
.method public getHcpName : ()Ljava/lang/String;
.code stack 2 locals 2
L0: aload_0
L1: getfield Field PIDBarOncologyManualClass hcpNameTitle Ljava/lang/String;
L4: ifnull L32
L7: new java/lang/StringBuilder
L10: dup
L11: invokespecial Method java/lang/StringBuilder <init> ()V
L14: aload_0
L15: getfield Field PIDBarOncologyManualClass hcpNameTitle Ljava/lang/String;
L18: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L21: ldc ' '
L23: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L26: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L29: goto L34
.stack same
L32: ldc ''
.stack stack_1 Object java/lang/String
L34: astore_1
L35: new java/lang/StringBuilder
L38: dup
L39: invokespecial Method java/lang/StringBuilder <init> ()V
L42: aload_1
L43: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L46: aload_0
L47: getfield Field PIDBarOncologyManualClass hcpNameForename Ljava/lang/String;
L50: ifnull L60
L53: aload_0
L54: getfield Field PIDBarOncologyManualClass hcpNameForename Ljava/lang/String;
L57: goto L62
.stack full
locals Object PIDBarOncologyManualClass Object java/lang/String
stack Object java/lang/StringBuilder
.end stack
L60: ldc ''
.stack full
locals Object PIDBarOncologyManualClass Object java/lang/String
stack Object java/lang/StringBuilder Object java/lang/String
.end stack
L62: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L65: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L68: astore_1
L69: new java/lang/StringBuilder
L72: dup
L73: invokespecial Method java/lang/StringBuilder <init> ()V
L76: aload_1
L77: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L80: ldc ' '
L82: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L85: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L88: astore_1
L89: new java/lang/StringBuilder
L92: dup
L93: invokespecial Method java/lang/StringBuilder <init> ()V
L96: aload_1
L97: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L100: aload_0
L101: getfield Field PIDBarOncologyManualClass hcpNameSurname Ljava/lang/String;
L104: ifnull L114
L107: aload_0
L108: getfield Field PIDBarOncologyManualClass hcpNameSurname Ljava/lang/String;
L111: goto L116
.stack stack_1 Object java/lang/StringBuilder
L114: ldc ''
.stack full
locals Object PIDBarOncologyManualClass Object java/lang/String
stack Object java/lang/StringBuilder Object java/lang/String
.end stack
L116: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L119: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L122: astore_1
L123: aload_1
L124: areturn
L125:
.linenumbertable
L0 55
L35 56
L69 57
L89 58
L123 59
.end linenumbertable
.end code
.end method
.method public getDiagnosisDesc : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field PIDBarOncologyManualClass diagnosisDesc Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 64
.end linenumbertable
.end code
.end method
.method public getStartdate : ()Ljava/util/Date;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field PIDBarOncologyManualClass start_date Ljava/util/Date;
L4: areturn
L5:
.linenumbertable
L0 69
.end linenumbertable
.end code
.end method
.method public getEnddate : ()Ljava/util/Date;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field PIDBarOncologyManualClass end_date Ljava/util/Date;
L4: areturn
L5:
.linenumbertable
L0 73
.end linenumbertable
.end code
.end method
.sourcefile 'PIDBarOncologyManualClass.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 06:57:47 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.time.Instant;
import java.util.Date;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.mock.java.time.MockInstant;
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 PIDBarOncologyManualClass_ESTest extends PIDBarOncologyManualClass_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Integer integer0 = new Integer((-86660));
PIDBarOncologyManualClass pIDBarOncologyManualClass0 = new PIDBarOncologyManualClass(integer0, "r+l7'A5bW,s]IxL", (Date) null, (Date) null, "r+l7'A5bW,s]IxL", "r+l7'A5bW,s]IxL", "VBGEi` 8zNTQ\u0005");
Date date0 = pIDBarOncologyManualClass0.getStartdate();
assertNull(date0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Integer integer0 = new Integer(1);
PIDBarOncologyManualClass pIDBarOncologyManualClass0 = new PIDBarOncologyManualClass(integer0, "4~-", (Date) null, (Date) null, "ZpD1X", "4~-", "PIDBarOncologyManualClass");
Date date0 = pIDBarOncologyManualClass0.getEnddate();
assertNull(date0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Integer integer0 = new Integer((-282));
MockDate mockDate0 = new MockDate();
PIDBarOncologyManualClass pIDBarOncologyManualClass0 = new PIDBarOncologyManualClass(integer0, (String) null, mockDate0, mockDate0, "", (String) null, "");
String string0 = pIDBarOncologyManualClass0.getDiagnosisDesc();
assertNull(string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Integer integer0 = Integer.valueOf((-1));
MockDate mockDate0 = new MockDate((-1));
PIDBarOncologyManualClass pIDBarOncologyManualClass0 = new PIDBarOncologyManualClass(integer0, "", mockDate0, mockDate0, "", "", "#");
String string0 = pIDBarOncologyManualClass0.getDiagnosisDesc();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Integer integer0 = new Integer(7188);
MockDate mockDate0 = new MockDate(7188, 7188, 7188);
PIDBarOncologyManualClass pIDBarOncologyManualClass0 = new PIDBarOncologyManualClass(integer0, (String) null, mockDate0, mockDate0, (String) null, (String) null, "");
String string0 = pIDBarOncologyManualClass0.getHcpName();
assertEquals(" ", string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Integer integer0 = new Integer(7188);
MockDate mockDate0 = new MockDate(7188, 7188, 7188);
PIDBarOncologyManualClass pIDBarOncologyManualClass0 = new PIDBarOncologyManualClass(integer0, (String) null, mockDate0, mockDate0, (String) null, "", "");
String string0 = pIDBarOncologyManualClass0.getHcpName();
assertEquals(" ", string0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
Integer integer0 = new Integer((-17));
MockDate mockDate0 = new MockDate((-17));
PIDBarOncologyManualClass pIDBarOncologyManualClass0 = new PIDBarOncologyManualClass(integer0, "MB12|", mockDate0, mockDate0, "MB12|", "MB12|", (String) null);
String string0 = pIDBarOncologyManualClass0.getHcpName();
assertEquals("MB12| MB12|", string0);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
Integer integer0 = new Integer(14);
Instant instant0 = MockInstant.now();
Date date0 = Date.from(instant0);
PIDBarOncologyManualClass pIDBarOncologyManualClass0 = new PIDBarOncologyManualClass(integer0, "!'Z", date0, date0, "!'Z", "!'Z", "!'Z");
Date date1 = pIDBarOncologyManualClass0.getStartdate();
assertEquals("Fri Feb 14 20:21:21 GMT 2014", date1.toString());
}
@Test(timeout = 4000)
public void test8() throws Throwable {
Integer integer0 = new Integer((-17));
MockDate mockDate0 = new MockDate((-17));
PIDBarOncologyManualClass pIDBarOncologyManualClass0 = new PIDBarOncologyManualClass(integer0, "MB12|", mockDate0, mockDate0, "MB12|", "MB12|", (String) null);
String string0 = pIDBarOncologyManualClass0.getDiagnosisDesc();
assertEquals("MB12|", string0);
}
@Test(timeout = 4000)
public void test9() throws Throwable {
Integer integer0 = new Integer(14);
Instant instant0 = MockInstant.now();
Date date0 = Date.from(instant0);
PIDBarOncologyManualClass pIDBarOncologyManualClass0 = new PIDBarOncologyManualClass(integer0, "!'Z", date0, date0, "!'Z", "!'Z", "!'Z");
Date date1 = pIDBarOncologyManualClass0.getEnddate();
assertSame(date0, date1);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 06:57: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 PIDBarOncologyManualClass_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "PIDBarOncologyManualClass";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpnqb79d4i");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PIDBarOncologyManualClass_ESTest_scaffolding.class.getClassLoader() ,
"PIDBarOncologyManualClass"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PIDBarOncologyManualClass_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"PIDBarOncologyManualClass"
);
}
}
| 4,906 |
JsonListMapName | import java.io.Serializable;
/**
*
*
* <pre>
* resourceFile: ../src/main/resources/json/freegen_list_map_name.json
* resourceFilePureName: freegen_list_map_name.json
* </pre>
*
* @author FreeGen
*/
public class JsonListMapName implements Serializable {
private static final long serialVersionUID = 1L;
/** name=firstCode, FirstCode */
public static final String FIRST_CODE = "FIRST_CODE";
/** name=secondCode, SecondCode */
public static final String SECOND_CODE = "SecondCode";
/** name=thirdCode, ThirdCode */
public static final String THIRD_CODE = "third_CODE";
}
| .version 52 0
.class public super JsonListMapName
.super java/lang/Object
.implements java/io/Serializable
.field private static final serialVersionUID J = 1L
.field public static final FIRST_CODE Ljava/lang/String; = 'FIRST_CODE'
.field public static final SECOND_CODE Ljava/lang/String; = 'SecondCode'
.field public static final THIRD_CODE Ljava/lang/String; = 'third_CODE'
.method 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
.sourcefile 'JsonListMapName.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 02:38: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 JsonListMapName_ESTest extends JsonListMapName_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
JsonListMapName jsonListMapName0 = new JsonListMapName();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 02:38: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 JsonListMapName_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "JsonListMapName";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp8vtwh4wv");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(JsonListMapName_ESTest_scaffolding.class.getClassLoader() ,
"JsonListMapName"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(JsonListMapName_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"JsonListMapName"
);
}
}
| 4,907 |
SearchRepository | public class SearchRepository {
String id;
Boolean selected;
public String getId() {
return id;
}
public void setId(String id) {
this.id = id;
}
public Boolean getSelected() {
return selected;
}
public void setSelected(Boolean selected) {
this.selected = selected;
}
}
| .version 52 0
.class public super SearchRepository
.super java/lang/Object
.field id Ljava/lang/String;
.field selected Ljava/lang/Boolean;
.method 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 : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SearchRepository id Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 8
.end linenumbertable
.end code
.end method
.method public setId : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field SearchRepository id Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 11
L5 12
.end linenumbertable
.end code
.end method
.method public getSelected : ()Ljava/lang/Boolean;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SearchRepository selected Ljava/lang/Boolean;
L4: areturn
L5:
.linenumbertable
L0 14
.end linenumbertable
.end code
.end method
.method public setSelected : (Ljava/lang/Boolean;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field SearchRepository selected Ljava/lang/Boolean;
L5: return
L6:
.linenumbertable
L0 17
L5 18
.end linenumbertable
.end code
.end method
.sourcefile 'SearchRepository.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 04:59:53 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class SearchRepository_ESTest extends SearchRepository_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
SearchRepository searchRepository0 = new SearchRepository();
Boolean boolean0 = new Boolean(true);
searchRepository0.selected = boolean0;
Boolean boolean1 = searchRepository0.getSelected();
assertTrue(boolean1);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
SearchRepository searchRepository0 = new SearchRepository();
Boolean boolean0 = new Boolean(false);
searchRepository0.selected = boolean0;
Boolean boolean1 = searchRepository0.getSelected();
assertFalse(boolean1);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
SearchRepository searchRepository0 = new SearchRepository();
searchRepository0.setId(">E[");
String string0 = searchRepository0.getId();
assertEquals(">E[", string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
SearchRepository searchRepository0 = new SearchRepository();
searchRepository0.setId("");
String string0 = searchRepository0.getId();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
SearchRepository searchRepository0 = new SearchRepository();
Boolean boolean0 = new Boolean(false);
searchRepository0.setSelected(boolean0);
assertFalse(searchRepository0.getSelected());
}
@Test(timeout = 4000)
public void test5() throws Throwable {
SearchRepository searchRepository0 = new SearchRepository();
String string0 = searchRepository0.getId();
assertNull(string0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
SearchRepository searchRepository0 = new SearchRepository();
Boolean boolean0 = searchRepository0.getSelected();
assertNull(boolean0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 04:59:53 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class SearchRepository_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "SearchRepository";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.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_m_k3lp2");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SearchRepository_ESTest_scaffolding.class.getClassLoader() ,
"SearchRepository"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SearchRepository_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"SearchRepository"
);
}
}
| 4,908 |
Scene | /**
* 场景
*
* @author Evan [email protected]
*/
public class Scene {
private int id;
private String name;
private String description;
/** */
private int iconType;
private int icon;
/** 地图 */
private int mapId;
/** */
private int sceneType;
/** 场景状态 */
private int sceneState;
/** 进入场景时候触发的脚本 */
private String enterScript;
/** (角色) 离开场景触发的脚本 */
private String leaveScript;
/** 在场景处于关闭状态时候,角色转移到指定场景(副本场景关闭了,转移脚本) */
private String tranformScript;
public int getId() {
return id;
}
public void setId(int id) {
this.id = id;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public String getDescription() {
return description;
}
public void setDescription(String description) {
this.description = description;
}
public int getIconType() {
return iconType;
}
public void setIconType(int iconType) {
this.iconType = iconType;
}
public int getIcon() {
return icon;
}
public void setIcon(int icon) {
this.icon = icon;
}
public int getMapId() {
return mapId;
}
public void setMapId(int mapId) {
this.mapId = mapId;
}
public int getSceneType() {
return sceneType;
}
public void setSceneType(int sceneType) {
this.sceneType = sceneType;
}
public int getSceneState() {
return sceneState;
}
public void setSceneState(int sceneState) {
this.sceneState = sceneState;
}
public String getEnterScript() {
return enterScript;
}
public void setEnterScript(String enterScript) {
this.enterScript = enterScript;
}
public String getLeaveScript() {
return leaveScript;
}
public void setLeaveScript(String leaveScript) {
this.leaveScript = leaveScript;
}
public String getTranformScript() {
return tranformScript;
}
public void setTranformScript(String tranformScript) {
this.tranformScript = tranformScript;
}
}
| .version 52 0
.class public super Scene
.super java/lang/Object
.field private id I
.field private name Ljava/lang/String;
.field private description Ljava/lang/String;
.field private iconType I
.field private icon I
.field private mapId I
.field private sceneType I
.field private sceneState I
.field private enterScript Ljava/lang/String;
.field private leaveScript Ljava/lang/String;
.field private tranformScript Ljava/lang/String;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 9
.end linenumbertable
.end code
.end method
.method public getId : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Scene id I
L4: ireturn
L5:
.linenumbertable
L0 61
.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 Scene id I
L5: return
L6:
.linenumbertable
L0 65
L5 66
.end linenumbertable
.end code
.end method
.method public getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Scene name Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 69
.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 Scene name Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 73
L5 74
.end linenumbertable
.end code
.end method
.method public getDescription : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Scene description Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 77
.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 Scene description Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 81
L5 82
.end linenumbertable
.end code
.end method
.method public getIconType : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Scene iconType I
L4: ireturn
L5:
.linenumbertable
L0 85
.end linenumbertable
.end code
.end method
.method public setIconType : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field Scene iconType I
L5: return
L6:
.linenumbertable
L0 89
L5 90
.end linenumbertable
.end code
.end method
.method public getIcon : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Scene icon I
L4: ireturn
L5:
.linenumbertable
L0 93
.end linenumbertable
.end code
.end method
.method public setIcon : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field Scene icon I
L5: return
L6:
.linenumbertable
L0 97
L5 98
.end linenumbertable
.end code
.end method
.method public getMapId : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Scene mapId I
L4: ireturn
L5:
.linenumbertable
L0 101
.end linenumbertable
.end code
.end method
.method public setMapId : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field Scene mapId I
L5: return
L6:
.linenumbertable
L0 105
L5 106
.end linenumbertable
.end code
.end method
.method public getSceneType : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Scene sceneType I
L4: ireturn
L5:
.linenumbertable
L0 109
.end linenumbertable
.end code
.end method
.method public setSceneType : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field Scene sceneType I
L5: return
L6:
.linenumbertable
L0 113
L5 114
.end linenumbertable
.end code
.end method
.method public getSceneState : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Scene sceneState I
L4: ireturn
L5:
.linenumbertable
L0 117
.end linenumbertable
.end code
.end method
.method public setSceneState : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field Scene sceneState I
L5: return
L6:
.linenumbertable
L0 121
L5 122
.end linenumbertable
.end code
.end method
.method public getEnterScript : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Scene enterScript Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 125
.end linenumbertable
.end code
.end method
.method public setEnterScript : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Scene enterScript Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 129
L5 130
.end linenumbertable
.end code
.end method
.method public getLeaveScript : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Scene leaveScript Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 133
.end linenumbertable
.end code
.end method
.method public setLeaveScript : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Scene leaveScript Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 137
L5 138
.end linenumbertable
.end code
.end method
.method public getTranformScript : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Scene tranformScript Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 141
.end linenumbertable
.end code
.end method
.method public setTranformScript : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Scene tranformScript Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 145
L5 146
.end linenumbertable
.end code
.end method
.sourcefile 'Scene.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 22:46:26 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Scene_ESTest extends Scene_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
Scene scene0 = new Scene();
scene0.setTranformScript("?");
String string0 = scene0.getTranformScript();
assertEquals("?", string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
Scene scene0 = new Scene();
scene0.setSceneType(10734);
int int0 = scene0.getSceneType();
assertEquals(10734, int0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
Scene scene0 = new Scene();
scene0.setSceneType((-1));
int int0 = scene0.getSceneType();
assertEquals((-1), int0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
Scene scene0 = new Scene();
scene0.setSceneState(55181);
int int0 = scene0.getSceneState();
assertEquals(55181, int0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
Scene scene0 = new Scene();
scene0.setSceneState((-6047));
int int0 = scene0.getSceneState();
assertEquals((-6047), int0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
Scene scene0 = new Scene();
scene0.setName("~ [ Pfbbj@p&N2>2X|");
String string0 = scene0.getName();
assertEquals("~ [ Pfbbj@p&N2>2X|", string0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
Scene scene0 = new Scene();
scene0.setName("");
String string0 = scene0.getName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
Scene scene0 = new Scene();
scene0.setMapId(20831);
int int0 = scene0.getMapId();
assertEquals(20831, int0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
Scene scene0 = new Scene();
scene0.setMapId((-41558));
int int0 = scene0.getMapId();
assertEquals((-41558), int0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
Scene scene0 = new Scene();
scene0.setLeaveScript("Scene");
String string0 = scene0.getLeaveScript();
assertEquals("Scene", string0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
Scene scene0 = new Scene();
scene0.setId(32862);
int int0 = scene0.getId();
assertEquals(32862, int0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
Scene scene0 = new Scene();
scene0.setIconType(32901);
int int0 = scene0.getIconType();
assertEquals(32901, int0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
Scene scene0 = new Scene();
scene0.setIconType((-1));
int int0 = scene0.getIconType();
assertEquals((-1), int0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
Scene scene0 = new Scene();
scene0.setIcon(1);
int int0 = scene0.getIcon();
assertEquals(1, int0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
Scene scene0 = new Scene();
scene0.setIcon((-48846));
int int0 = scene0.getIcon();
assertEquals((-48846), int0);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
Scene scene0 = new Scene();
scene0.setEnterScript("zK*&dgP");
String string0 = scene0.getEnterScript();
assertEquals("zK*&dgP", string0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
Scene scene0 = new Scene();
scene0.setEnterScript("");
String string0 = scene0.getEnterScript();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
Scene scene0 = new Scene();
scene0.setDescription("");
String string0 = scene0.getDescription();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
Scene scene0 = new Scene();
String string0 = scene0.getDescription();
assertNull(string0);
}
@Test(timeout = 4000)
public void test19() throws Throwable {
Scene scene0 = new Scene();
int int0 = scene0.getId();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test20() throws Throwable {
Scene scene0 = new Scene();
int int0 = scene0.getMapId();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test21() throws Throwable {
Scene scene0 = new Scene();
String string0 = scene0.getName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test22() throws Throwable {
Scene scene0 = new Scene();
scene0.setTranformScript("");
String string0 = scene0.getTranformScript();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test23() throws Throwable {
Scene scene0 = new Scene();
int int0 = scene0.getIconType();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test24() throws Throwable {
Scene scene0 = new Scene();
scene0.setDescription("u'+D4U");
String string0 = scene0.getDescription();
assertEquals("u'+D4U", string0);
}
@Test(timeout = 4000)
public void test25() throws Throwable {
Scene scene0 = new Scene();
String string0 = scene0.getTranformScript();
assertNull(string0);
}
@Test(timeout = 4000)
public void test26() throws Throwable {
Scene scene0 = new Scene();
String string0 = scene0.getLeaveScript();
assertNull(string0);
}
@Test(timeout = 4000)
public void test27() throws Throwable {
Scene scene0 = new Scene();
String string0 = scene0.getEnterScript();
assertNull(string0);
}
@Test(timeout = 4000)
public void test28() throws Throwable {
Scene scene0 = new Scene();
int int0 = scene0.getSceneState();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test29() throws Throwable {
Scene scene0 = new Scene();
scene0.setLeaveScript("");
String string0 = scene0.getLeaveScript();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test30() throws Throwable {
Scene scene0 = new Scene();
int int0 = scene0.getSceneType();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test31() throws Throwable {
Scene scene0 = new Scene();
int int0 = scene0.getIcon();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test32() throws Throwable {
Scene scene0 = new Scene();
scene0.setId((-1));
int int0 = scene0.getId();
assertEquals((-1), int0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 22:46:26 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Scene_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Scene";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpacm9c0vj");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Scene_ESTest_scaffolding.class.getClassLoader() ,
"Scene"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Scene_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Scene"
);
}
}
| 4,909 |
InputJavadocMethodIgnoreNameRegex | public class InputJavadocMethodIgnoreNameRegex {
private void foo() {}
private void foo88() {}
private void foo2() {
int x = 0;
int k = x >> 2;
String s = String.valueOf(k);
boolean b = false;
}
}
| .version 52 0
.class public super InputJavadocMethodIgnoreNameRegex
.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 private foo : ()V
.code stack 0 locals 1
L0: return
L1:
.linenumbertable
L0 7
.end linenumbertable
.end code
.end method
.method private foo88 : ()V
.code stack 0 locals 1
L0: return
L1:
.linenumbertable
L0 11
.end linenumbertable
.end code
.end method
.method private foo2 : ()V
.code stack 2 locals 5
L0: iconst_0
L1: istore_1
L2: iload_1
L3: iconst_2
L4: ishr
L5: istore_2
L6: iload_2
L7: invokestatic Method java/lang/String valueOf (I)Ljava/lang/String;
L10: astore_3
L11: iconst_0
L12: istore 4
L14: return
L15:
.linenumbertable
L0 14
L2 15
L6 16
L11 17
L14 18
.end linenumbertable
.end code
.end method
.sourcefile 'InputJavadocMethodIgnoreNameRegex.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 16:34: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 InputJavadocMethodIgnoreNameRegex_ESTest extends InputJavadocMethodIgnoreNameRegex_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
InputJavadocMethodIgnoreNameRegex inputJavadocMethodIgnoreNameRegex0 = new InputJavadocMethodIgnoreNameRegex();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 16:34: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 InputJavadocMethodIgnoreNameRegex_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "InputJavadocMethodIgnoreNameRegex";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpeng205dp");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(InputJavadocMethodIgnoreNameRegex_ESTest_scaffolding.class.getClassLoader() ,
"InputJavadocMethodIgnoreNameRegex"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(InputJavadocMethodIgnoreNameRegex_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"InputJavadocMethodIgnoreNameRegex"
);
}
}
| 4,910 |
ByteClassLoader | /*
* Copyright (c) 2013, Oracle and/or its affiliates. All rights reserved.
* DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS FILE HEADER.
*
* This code is free software; you can redistribute it and/or modify it
* under the terms of the GNU General Public License version 2 only, as
* published by the Free Software Foundation.
*
* This code is distributed in the hope that it will be useful, but WITHOUT
* ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or
* FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License
* version 2 for more details (a copy is included in the LICENSE file that
* accompanied this code).
*
* You should have received a copy of the GNU General Public License version
* 2 along with this work; if not, write to the Free Software Foundation,
* Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA.
*
* Please contact Oracle, 500 Oracle Parkway, Redwood Shores, CA 94065 USA
* or visit www.oracle.com if you need additional information or have any
* questions.
*/
import java.io.BufferedOutputStream;
import java.io.FileNotFoundException;
import java.io.FileOutputStream;
import java.io.IOException;
import java.net.URL;
import java.net.URLClassLoader;
import java.util.jar.JarEntry;
import java.util.jar.JarOutputStream;
/**
* A ByteClassLoader is used to define classes from collections of bytes, as well as loading classes
* in the usual way. It includes options to write the classes to files in a jar, or to read the
* classes from jars in a later or debugging run.
*
* <p>If Boolean property byteclassloader.verbose is true, be chatty about jar file operations.
*/
public class ByteClassLoader extends URLClassLoader {
static final boolean verbose = Boolean.getBoolean("byteclassloader.verbose");
final boolean read;
final JarOutputStream jos;
final String jar_name;
/**
* Make a new ByteClassLoader.
*
* @param jar_name Basename of jar file to be read/written by this classloader.
* @param read If true, read classes from jar file instead of from parameter.
* @param write If true, write classes to jar files for offline study/use.
* @throws FileNotFoundException
* @throws IOException
*/
public ByteClassLoader(String jar_name, boolean read, boolean write)
throws FileNotFoundException, IOException {
super(read ? new URL[] {new URL("file:" + jar_name + ".jar")} : new URL[0]);
this.read = read;
this.jar_name = jar_name;
this.jos =
write
? new JarOutputStream(new BufferedOutputStream(new FileOutputStream(jar_name + ".jar")))
: null;
if (read && write) {
throw new Error("At most one of read and write may be true.");
}
}
private static void writeJarredFile(
JarOutputStream jos, String file, String suffix, byte[] bytes) {
String fileName = file.replace(".", "/") + "." + suffix;
JarEntry ze = new JarEntry(fileName);
try {
ze.setSize(bytes.length);
jos.putNextEntry(ze);
jos.write(bytes);
jos.closeEntry();
} catch (IOException e) {
throw new RuntimeException(e);
}
}
/**
* (pre)load class name using classData for the definition.
*
* @param name
* @param classData
* @return
*/
public Class<?> loadBytes(String name, byte[] classData) throws ClassNotFoundException {
if (jos != null) {
if (verbose) {
System.out.println("ByteClassLoader: writing " + name);
}
writeJarredFile(jos, name, "class", classData);
}
Class<?> clazz = null;
if (read) {
if (verbose) {
System.out.println("ByteClassLoader: reading " + name + " from " + jar_name);
}
clazz = loadClass(name);
} else {
clazz = defineClass(name, classData, 0, classData.length);
resolveClass(clazz);
}
return clazz;
}
public void close() {
if (jos != null) {
try {
if (verbose) {
System.out.println("ByteClassLoader: closing " + jar_name);
}
jos.close();
} catch (IOException ex) {
}
}
}
}
| .version 52 0
.class public super ByteClassLoader
.super java/net/URLClassLoader
.field static final verbose Z
.field final read Z
.field final jos Ljava/util/jar/JarOutputStream;
.field final jar_name Ljava/lang/String;
.method public <init> : (Ljava/lang/String;ZZ)V
.code stack 9 locals 4
L0: aload_0
L1: iload_2
L2: ifeq L46
L5: iconst_1
L6: anewarray java/net/URL
L9: dup
L10: iconst_0
L11: new java/net/URL
L14: dup
L15: new java/lang/StringBuilder
L18: dup
L19: invokespecial Method java/lang/StringBuilder <init> ()V
L22: ldc 'file:'
L24: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L27: aload_1
L28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L31: ldc '.jar'
L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L36: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L39: invokespecial Method java/net/URL <init> (Ljava/lang/String;)V
L42: aastore
L43: goto L50
.stack stack_1 UninitializedThis
L46: iconst_0
L47: anewarray java/net/URL
.stack full
locals UninitializedThis Object java/lang/String Integer Integer
stack UninitializedThis Object [Ljava/net/URL;
.end stack
L50: invokespecial Method java/net/URLClassLoader <init> ([Ljava/net/URL;)V
L53: aload_0
L54: iload_2
L55: putfield Field ByteClassLoader read Z
L58: aload_0
L59: aload_1
L60: putfield Field ByteClassLoader jar_name Ljava/lang/String;
L63: aload_0
L64: iload_3
L65: ifeq L111
L68: new java/util/jar/JarOutputStream
L71: dup
L72: new java/io/BufferedOutputStream
L75: dup
L76: new java/io/FileOutputStream
L79: dup
L80: new java/lang/StringBuilder
L83: dup
L84: invokespecial Method java/lang/StringBuilder <init> ()V
L87: aload_1
L88: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L91: ldc '.jar'
L93: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L96: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L99: invokespecial Method java/io/FileOutputStream <init> (Ljava/lang/String;)V
L102: invokespecial Method java/io/BufferedOutputStream <init> (Ljava/io/OutputStream;)V
L105: invokespecial Method java/util/jar/JarOutputStream <init> (Ljava/io/OutputStream;)V
L108: goto L112
.stack full
locals Object ByteClassLoader Object java/lang/String Integer Integer
stack Object ByteClassLoader
.end stack
L111: aconst_null
.stack full
locals Object ByteClassLoader Object java/lang/String Integer Integer
stack Object ByteClassLoader Object java/util/jar/JarOutputStream
.end stack
L112: putfield Field ByteClassLoader jos Ljava/util/jar/JarOutputStream;
L115: iload_2
L116: ifeq L133
L119: iload_3
L120: ifeq L133
L123: new java/lang/Error
L126: dup
L127: ldc 'At most one of read and write may be true.'
L129: invokespecial Method java/lang/Error <init> (Ljava/lang/String;)V
L132: athrow
.stack same
L133: return
L134:
.linenumbertable
L0 66
L53 69
L58 70
L63 71
L115 75
L123 76
L133 78
.end linenumbertable
.end code
.exceptions java/io/FileNotFoundException java/io/IOException
.end method
.method private static writeJarredFile : (Ljava/util/jar/JarOutputStream;Ljava/lang/String;Ljava/lang/String;[B)V
.code stack 4 locals 7
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: aload_1
L8: ldc '.'
L10: ldc '/'
L12: invokevirtual Method java/lang/String replace (Ljava/lang/CharSequence;Ljava/lang/CharSequence;)Ljava/lang/String;
L15: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L18: ldc '.'
L20: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L23: aload_2
L24: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L27: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L30: astore 4
L32: new java/util/jar/JarEntry
L35: dup
L36: aload 4
L38: invokespecial Method java/util/jar/JarEntry <init> (Ljava/lang/String;)V
L41: astore 5
.catch java/io/IOException from L43 to L66 using L69
L43: aload 5
L45: aload_3
L46: arraylength
L47: i2l
L48: invokevirtual Method java/util/jar/JarEntry setSize (J)V
L51: aload_0
L52: aload 5
L54: invokevirtual Method java/util/jar/JarOutputStream putNextEntry (Ljava/util/zip/ZipEntry;)V
L57: aload_0
L58: aload_3
L59: invokevirtual Method java/util/jar/JarOutputStream write ([B)V
L62: aload_0
L63: invokevirtual Method java/util/jar/JarOutputStream closeEntry ()V
L66: goto L81
.stack full
locals Object java/util/jar/JarOutputStream Object java/lang/String Object java/lang/String Object [B Object java/lang/String Object java/util/jar/JarEntry
stack Object java/io/IOException
.end stack
L69: astore 6
L71: new java/lang/RuntimeException
L74: dup
L75: aload 6
L77: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/Throwable;)V
L80: athrow
.stack same
L81: return
L82:
.linenumbertable
L0 81
L32 82
L43 84
L51 85
L57 86
L62 87
L66 90
L69 88
L71 89
L81 91
.end linenumbertable
.end code
.end method
.method public loadBytes : (Ljava/lang/String;[B)Ljava/lang/Class;
.code stack 5 locals 4
L0: aload_0
L1: getfield Field ByteClassLoader jos Ljava/util/jar/JarOutputStream;
L4: ifnull L49
L7: getstatic Field ByteClassLoader verbose Z
L10: ifeq L38
L13: getstatic Field java/lang/System out Ljava/io/PrintStream;
L16: new java/lang/StringBuilder
L19: dup
L20: invokespecial Method java/lang/StringBuilder <init> ()V
L23: ldc 'ByteClassLoader: writing '
L25: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L28: aload_1
L29: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L32: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L35: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack same
L38: aload_0
L39: getfield Field ByteClassLoader jos Ljava/util/jar/JarOutputStream;
L42: aload_1
L43: ldc 'class'
L45: aload_2
L46: invokestatic Method ByteClassLoader writeJarredFile (Ljava/util/jar/JarOutputStream;Ljava/lang/String;Ljava/lang/String;[B)V
.stack same
L49: aconst_null
L50: astore_3
L51: aload_0
L52: getfield Field ByteClassLoader read Z
L55: ifeq L110
L58: getstatic Field ByteClassLoader verbose Z
L61: ifeq L101
L64: getstatic Field java/lang/System out Ljava/io/PrintStream;
L67: new java/lang/StringBuilder
L70: dup
L71: invokespecial Method java/lang/StringBuilder <init> ()V
L74: ldc 'ByteClassLoader: reading '
L76: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L79: aload_1
L80: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L83: ldc ' from '
L85: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L88: aload_0
L89: getfield Field ByteClassLoader jar_name Ljava/lang/String;
L92: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L95: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L98: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack append Object java/lang/Class
L101: aload_0
L102: aload_1
L103: invokevirtual Method ByteClassLoader loadClass (Ljava/lang/String;)Ljava/lang/Class;
L106: astore_3
L107: goto L125
.stack same
L110: aload_0
L111: aload_1
L112: aload_2
L113: iconst_0
L114: aload_2
L115: arraylength
L116: invokevirtual Method ByteClassLoader defineClass (Ljava/lang/String;[BII)Ljava/lang/Class;
L119: astore_3
L120: aload_0
L121: aload_3
L122: invokevirtual Method ByteClassLoader resolveClass (Ljava/lang/Class;)V
.stack same
L125: aload_3
L126: areturn
L127:
.linenumbertable
L0 101
L7 102
L13 103
L38 105
L49 108
L51 109
L58 110
L64 111
L101 113
L110 115
L120 116
L125 118
.end linenumbertable
.end code
.exceptions java/lang/ClassNotFoundException
.signature (Ljava/lang/String;[B)Ljava/lang/Class<*>;
.end method
.method public close : ()V
.code stack 3 locals 2
L0: aload_0
L1: getfield Field ByteClassLoader jos Ljava/util/jar/JarOutputStream;
L4: ifnull L52
.catch java/io/IOException from L7 to L48 using L51
L7: getstatic Field ByteClassLoader verbose Z
L10: ifeq L41
L13: getstatic Field java/lang/System out Ljava/io/PrintStream;
L16: new java/lang/StringBuilder
L19: dup
L20: invokespecial Method java/lang/StringBuilder <init> ()V
L23: ldc 'ByteClassLoader: closing '
L25: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L28: aload_0
L29: getfield Field ByteClassLoader jar_name Ljava/lang/String;
L32: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L35: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L38: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack same
L41: aload_0
L42: getfield Field ByteClassLoader jos Ljava/util/jar/JarOutputStream;
L45: invokevirtual Method java/util/jar/JarOutputStream close ()V
L48: goto L52
.stack stack_1 Object java/io/IOException
L51: astore_1
.stack same
L52: return
L53:
.linenumbertable
L0 122
L7 124
L13 125
L41 127
L48 129
L51 128
L52 131
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 1 locals 0
L0: ldc 'byteclassloader.verbose'
L2: invokestatic Method java/lang/Boolean getBoolean (Ljava/lang/String;)Z
L5: putstatic Field ByteClassLoader verbose Z
L8: return
L9:
.linenumbertable
L0 47
L2 48
L8 47
.end linenumbertable
.end code
.end method
.sourcefile 'ByteClassLoader.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 20:04:34 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.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 ByteClassLoader_ESTest extends ByteClassLoader_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ByteClassLoader byteClassLoader0 = new ByteClassLoader("", true, false);
try {
byteClassLoader0.loadBytes("=0s!B{kU,=A( y(>;{", (byte[]) null);
fail("Expecting exception: ClassNotFoundException");
} catch(ClassNotFoundException e) {
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
ByteClassLoader byteClassLoader0 = new ByteClassLoader("", false, true);
byte[] byteArray0 = new byte[2];
// Undeclared exception!
try {
byteClassLoader0.loadBytes("", byteArray0);
fail("Expecting exception: ClassFormatError");
} catch(ClassFormatError e) {
}
}
@Test(timeout = 4000)
public void test2() throws Throwable {
ByteClassLoader byteClassLoader0 = new ByteClassLoader(",Yla*", false, true);
FileSystemHandling.shouldAllThrowIOExceptions();
byteClassLoader0.close();
}
@Test(timeout = 4000)
public void test3() throws Throwable {
ByteClassLoader byteClassLoader0 = new ByteClassLoader("", false, true);
byteClassLoader0.close();
byte[] byteArray0 = new byte[5];
// Undeclared exception!
try {
byteClassLoader0.loadBytes("", byteArray0);
fail("Expecting exception: RuntimeException");
} catch(RuntimeException e) {
//
// java.io.IOException: Stream closed
//
verifyException("ByteClassLoader", e);
}
}
@Test(timeout = 4000)
public void test4() throws Throwable {
ByteClassLoader byteClassLoader0 = new ByteClassLoader("", true, false);
byteClassLoader0.close();
}
@Test(timeout = 4000)
public void test5() throws Throwable {
ByteClassLoader byteClassLoader0 = null;
try {
byteClassLoader0 = new ByteClassLoader("h+4i.{Z=r:aGX{(R", true, true);
fail("Expecting exception: Error");
} catch(Error e) {
//
// At most one of read and write may be true.
//
verifyException("ByteClassLoader", e);
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 20:04: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 ByteClassLoader_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ByteClassLoader";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp4qdoovfz");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ByteClassLoader_ESTest_scaffolding.class.getClassLoader() ,
"ByteClassLoader"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ByteClassLoader_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ByteClassLoader"
);
}
}
| 4,911 |
SparkConstants | /**
* Licensed to the Apache Software Foundation (ASF) under one or more contributor license
* agreements. See the NOTICE file distributed with this work for additional information regarding
* copyright ownership. The ASF licenses this file to You under the Apache License, Version 2.0 (the
* "License"); you may not use this file except in compliance with the License. You may obtain a
* copy of the License at
*
* <p>http://www.apache.org/licenses/LICENSE-2.0
*
* <p>Unless required by applicable law or agreed to in writing, software distributed under the
* License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either
* express or implied. See the License for the specific language governing permissions and
* limitations under the License.
*/
public final class SparkConstants {
public static final String CONTENT_TYPE_JAVA_SERIALIZED_OBJECT =
"application/x-java-serialized-object";
public static final String SPLAT = "splat";
private SparkConstants() {}
}
| .version 52 0
.class public final super SparkConstants
.super java/lang/Object
.field public static final CONTENT_TYPE_JAVA_SERIALIZED_OBJECT Ljava/lang/String; = 'application/x-java-serialized-object'
.field public static final SPLAT Ljava/lang/String; = 'splat'
.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 24
L4 25
.end linenumbertable
.end code
.end method
.sourcefile 'SparkConstants.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 05:08: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 SparkConstants_ESTest extends SparkConstants_ESTest_scaffolding {
@Test
public void notGeneratedAnyTest() {
// EvoSuite did not generate any tests
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 05:08:11 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 SparkConstants_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 = "SparkConstants";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.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(SparkConstants_ESTest_scaffolding.class.getClassLoader() ,
"SparkConstants"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SparkConstants_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"SparkConstants"
);
}
}
| 4,912 |
Game | /*
* 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 etcharn1
*/
public class Game {
/**
* @param args the command line arguments
*/
public static void main(String[] args) {
// TODO code application logic here
}
}
| .version 52 0
.class public super Game
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 12
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 0 locals 1
L0: return
L1:
.linenumbertable
L0 19
.end linenumbertable
.end code
.end method
.sourcefile 'Game.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 07:43:04 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Game_ESTest extends Game_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Game.main((String[]) null);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Game game0 = new Game();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 07:43: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 Game_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Game";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpmhttgwht");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Game_ESTest_scaffolding.class.getClassLoader() ,
"Game"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Game_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Game"
);
}
}
| 4,913 |
Collections | import java.util.Arrays;
import java.util.List;
/** Created by Админ on 26.04.2017. */
public class Collections {
public static void main(String[] agrs) {
String[] langs = {"Java", "C#", "Python", "PHP"};
List<String> languages = Arrays.asList("Java", "C#", "Python", "PHP");
for (String l : languages) {
System.out.println("Я хочу выучить " + l);
}
}
}
| .version 52 0
.class public super Collections
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 10
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 4 locals 5
L0: iconst_4
L1: anewarray java/lang/String
L4: dup
L5: iconst_0
L6: ldc 'Java'
L8: aastore
L9: dup
L10: iconst_1
L11: ldc 'C#'
L13: aastore
L14: dup
L15: iconst_2
L16: ldc 'Python'
L18: aastore
L19: dup
L20: iconst_3
L21: ldc 'PHP'
L23: aastore
L24: astore_1
L25: iconst_4
L26: anewarray java/lang/String
L29: dup
L30: iconst_0
L31: ldc 'Java'
L33: aastore
L34: dup
L35: iconst_1
L36: ldc 'C#'
L38: aastore
L39: dup
L40: iconst_2
L41: ldc 'Python'
L43: aastore
L44: dup
L45: iconst_3
L46: ldc 'PHP'
L48: aastore
L49: invokestatic Method java/util/Arrays asList ([Ljava/lang/Object;)Ljava/util/List;
L52: astore_2
L53: aload_2
L54: invokeinterface InterfaceMethod java/util/List iterator ()Ljava/util/Iterator; 1
L59: astore_3
.stack append Object [Ljava/lang/String; Object java/util/List Object java/util/Iterator
L60: aload_3
L61: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1
L66: ifeq L109
L69: aload_3
L70: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1
L75: checkcast java/lang/String
L78: astore 4
L80: getstatic Field java/lang/System out Ljava/io/PrintStream;
L83: new java/lang/StringBuilder
L86: dup
L87: invokespecial Method java/lang/StringBuilder <init> ()V
L90: ldc 'Я хочу выучить '
L92: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L95: aload 4
L97: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L100: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L103: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L106: goto L60
.stack chop 1
L109: return
L110:
.linenumbertable
L0 13
L25 15
L53 17
L80 18
L106 19
L109 20
.end linenumbertable
.end code
.end method
.sourcefile 'Collections.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 11:27:16 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Collections_ESTest extends Collections_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[0];
Collections.main(stringArray0);
assertEquals(0, stringArray0.length);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Collections collections0 = new Collections();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 11:27:16 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Collections_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Collections";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpwy7juc1t");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Collections_ESTest_scaffolding.class.getClassLoader() ,
"Collections"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Collections_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Collections"
);
}
}
| 4,914 |
SetConfig | //
// DO NOT MODIFY!!! This file was machine generated. DO NOT MODIFY!!!
//
// Copyright (c) 2014 Vincent W. Chen.
//
// This file is part of XJavaB.
//
// XJavaB is free software: you can redistribute it and/or modify
// it under the terms of the GNU Lesser General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.
//
// XJavaB is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU Lesser General Public License for more details.
//
// You should have received a copy of the GNU Lesser General Public License
// along with XJavaB. If not, see <http://www.gnu.org/licenses/>.
//
public final class SetConfig {
public static final byte SUCCESS = 0;
public static final byte INVALID_CONFIG_TIME = 1;
public static final byte INVALID_TIME = 2;
public static final byte FAILED = 3;
}
| .version 52 0
.class public final super SetConfig
.super java/lang/Object
.field public static final SUCCESS B = 0
.field public static final INVALID_CONFIG_TIME B = 1
.field public static final INVALID_TIME B = 2
.field public static final FAILED B = 3
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 26
.end linenumbertable
.end code
.end method
.sourcefile 'SetConfig.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 05:59:45 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class SetConfig_ESTest extends SetConfig_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
SetConfig setConfig0 = new SetConfig();
assertEquals((byte)1, SetConfig.INVALID_CONFIG_TIME);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 05:59: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 SetConfig_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "SetConfig";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp1h2slkax");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SetConfig_ESTest_scaffolding.class.getClassLoader() ,
"SetConfig"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SetConfig_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"SetConfig"
);
}
}
| 4,915 |
ScoreTable | /** Created by wz649 on 2017/4/15. */
public class ScoreTable {
private ScoreTable() {}
public static final int FIVE = 100; // 成5
public static final int DOUBLE_ALIVE_FOUR = 99; // 双活4(分析对手用)
public static final int ALIVE_FOUR_AND_DEAD_FOUR = 98; // 活4死4(对手分析用)
public static final int ALIVE_FOUR_AND_ALIVE_THREE = 96; // 活4活3(分析对手用)
public static final int ALIVE_FOUR_AND_DEAD_THREE = 95; // 活4死3(分析对手用)
public static final int ALIVE_FOUR_AND_ALIVE_TWO = 94; // 活4活2
public static final int ALIVE_FOUR = 93; // 活4
public static final int DOUBLE_DEAD_FOUR = 92; // 双死4
public static final int DEAD_FOUR_AND_ALIVE_THREE = 91; // 死4活3
public static final int DEAD_FOUR_AND_ALIVE_TWO = 90; // 死4活2
public static final int DOUBLE_ALIVE_THREE = 80; // 双活3
public static final int ALIVE_THREE_AND_DEAD_THREE = 70; // 活死3
public static final int HALF_ALIVE_FOUR = 65; // 半活4(类似○○ ○形),优先级小于活4
public static final int ALIVE_THREE = 60; // 活3
public static final int DEAD_FOUR = 50; // 死4
public static final int DOUBLE_ALIVE_TWO = 40; // 双活2
public static final int DEAD_THREE = 30; // 死3
public static final int ALIVE_TWO = 20; // 活2
public static final int DEAD_TWO = 10; // 死2
public static final int SINGLE = 0; // 单个
}
| .version 52 0
.class public super ScoreTable
.super java/lang/Object
.field public static final FIVE I = 100
.field public static final DOUBLE_ALIVE_FOUR I = 99
.field public static final ALIVE_FOUR_AND_DEAD_FOUR I = 98
.field public static final ALIVE_FOUR_AND_ALIVE_THREE I = 96
.field public static final ALIVE_FOUR_AND_DEAD_THREE I = 95
.field public static final ALIVE_FOUR_AND_ALIVE_TWO I = 94
.field public static final ALIVE_FOUR I = 93
.field public static final DOUBLE_DEAD_FOUR I = 92
.field public static final DEAD_FOUR_AND_ALIVE_THREE I = 91
.field public static final DEAD_FOUR_AND_ALIVE_TWO I = 90
.field public static final DOUBLE_ALIVE_THREE I = 80
.field public static final ALIVE_THREE_AND_DEAD_THREE I = 70
.field public static final HALF_ALIVE_FOUR I = 65
.field public static final ALIVE_THREE I = 60
.field public static final DEAD_FOUR I = 50
.field public static final DOUBLE_ALIVE_TWO I = 40
.field public static final DEAD_THREE I = 30
.field public static final ALIVE_TWO I = 20
.field public static final DEAD_TWO I = 10
.field public static final SINGLE I = 0
.method private <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 8
.end linenumbertable
.end code
.end method
.sourcefile 'ScoreTable.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 18:21:52 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class ScoreTable_ESTest extends ScoreTable_ESTest_scaffolding {
@Test
public void notGeneratedAnyTest() {
// EvoSuite did not generate any tests
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 18:21:52 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 ScoreTable_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 = "ScoreTable";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.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(ScoreTable_ESTest_scaffolding.class.getClassLoader() ,
"ScoreTable"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ScoreTable_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ScoreTable"
);
}
}
| 4,916 |
CustomerDTO | import java.util.Date;
/** Created by serge_000 on 31.10.2015. */
public class CustomerDTO {
private Long id;
private String firstName;
private String lastName;
private Date dateOfBirth;
private String username;
private String password;
public Long getId() {
return id;
}
public void setId(Long id) {
this.id = id;
}
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;
}
public Date getDateOfBirth() {
return dateOfBirth;
}
public void setDateOfBirth(Date dateOfBirth) {
this.dateOfBirth = dateOfBirth;
}
public String getUsername() {
return username;
}
public void setUsername(String username) {
this.username = username;
}
public String getPassword() {
return password;
}
public void setPassword(String password) {
this.password = password;
}
@Override
public String toString() {
return "CustomerDTO{"
+ "id="
+ id
+ ", firstName='"
+ firstName
+ '\''
+ ", lastName='"
+ lastName
+ '\''
+ ", dateOfBirth="
+ dateOfBirth
+ ", username='"
+ username
+ '\''
+ ", password='"
+ password
+ '\''
+ '}';
}
}
| .version 52 0
.class public super CustomerDTO
.super java/lang/Object
.field private id Ljava/lang/Long;
.field private firstName Ljava/lang/String;
.field private lastName Ljava/lang/String;
.field private dateOfBirth Ljava/util/Date;
.field private username Ljava/lang/String;
.field private password Ljava/lang/String;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 8
.end linenumbertable
.end code
.end method
.method public getId : ()Ljava/lang/Long;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CustomerDTO id Ljava/lang/Long;
L4: areturn
L5:
.linenumbertable
L0 23
.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 CustomerDTO id Ljava/lang/Long;
L5: return
L6:
.linenumbertable
L0 27
L5 28
.end linenumbertable
.end code
.end method
.method public getFirstName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CustomerDTO firstName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 31
.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 CustomerDTO firstName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 35
L5 36
.end linenumbertable
.end code
.end method
.method public getLastName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CustomerDTO lastName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 39
.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 CustomerDTO lastName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 43
L5 44
.end linenumbertable
.end code
.end method
.method public getDateOfBirth : ()Ljava/util/Date;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CustomerDTO dateOfBirth Ljava/util/Date;
L4: areturn
L5:
.linenumbertable
L0 47
.end linenumbertable
.end code
.end method
.method public setDateOfBirth : (Ljava/util/Date;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field CustomerDTO dateOfBirth Ljava/util/Date;
L5: return
L6:
.linenumbertable
L0 51
L5 52
.end linenumbertable
.end code
.end method
.method public getUsername : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CustomerDTO username Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 55
.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 CustomerDTO username Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 59
L5 60
.end linenumbertable
.end code
.end method
.method public getPassword : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CustomerDTO password Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 63
.end linenumbertable
.end code
.end method
.method public setPassword : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field CustomerDTO password Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 67
L5 68
.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 'CustomerDTO{id='
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field CustomerDTO id Ljava/lang/Long;
L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L19: ldc ", firstName='"
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: aload_0
L25: getfield Field CustomerDTO firstName Ljava/lang/String;
L28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L31: bipush 39
L33: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L36: ldc ", lastName='"
L38: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L41: aload_0
L42: getfield Field CustomerDTO lastName Ljava/lang/String;
L45: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L48: bipush 39
L50: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L53: ldc ', dateOfBirth='
L55: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L58: aload_0
L59: getfield Field CustomerDTO dateOfBirth Ljava/util/Date;
L62: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L65: ldc ", username='"
L67: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L70: aload_0
L71: getfield Field CustomerDTO username Ljava/lang/String;
L74: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L77: bipush 39
L79: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L82: ldc ", password='"
L84: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L87: aload_0
L88: getfield Field CustomerDTO password Ljava/lang/String;
L91: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L94: bipush 39
L96: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L99: bipush 125
L101: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L104: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L107: areturn
L108:
.linenumbertable
L0 72
.end linenumbertable
.end code
.end method
.sourcefile 'CustomerDTO.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 18:58:32 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 CustomerDTO_ESTest extends CustomerDTO_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
CustomerDTO customerDTO0 = new CustomerDTO();
customerDTO0.setUsername("Gv/qA/&u0$");
String string0 = customerDTO0.getUsername();
assertEquals("Gv/qA/&u0$", string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
CustomerDTO customerDTO0 = new CustomerDTO();
customerDTO0.setPassword("%");
String string0 = customerDTO0.getPassword();
assertEquals("%", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
CustomerDTO customerDTO0 = new CustomerDTO();
customerDTO0.setPassword("");
String string0 = customerDTO0.getPassword();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
CustomerDTO customerDTO0 = new CustomerDTO();
customerDTO0.setLastName("SO");
String string0 = customerDTO0.getLastName();
assertEquals("SO", string0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
CustomerDTO customerDTO0 = new CustomerDTO();
customerDTO0.setLastName("");
String string0 = customerDTO0.getLastName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
CustomerDTO customerDTO0 = new CustomerDTO();
Long long0 = new Long(1L);
customerDTO0.setId(long0);
Long long1 = customerDTO0.getId();
assertEquals(1L, (long)long1);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
CustomerDTO customerDTO0 = new CustomerDTO();
Long long0 = new Long(0L);
customerDTO0.setId(long0);
Long long1 = customerDTO0.getId();
assertEquals(0L, (long)long1);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
CustomerDTO customerDTO0 = new CustomerDTO();
Long long0 = new Long((-7583L));
customerDTO0.setId(long0);
Long long1 = customerDTO0.getId();
assertEquals((-7583L), (long)long1);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
CustomerDTO customerDTO0 = new CustomerDTO();
Long long0 = new Long(46807L);
customerDTO0.setId(long0);
Long long1 = customerDTO0.getId();
assertEquals(46807L, (long)long1);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
CustomerDTO customerDTO0 = new CustomerDTO();
customerDTO0.setFirstName(", password='");
String string0 = customerDTO0.getFirstName();
assertEquals(", password='", string0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
CustomerDTO customerDTO0 = new CustomerDTO();
customerDTO0.setFirstName("");
String string0 = customerDTO0.getFirstName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
CustomerDTO customerDTO0 = new CustomerDTO();
String string0 = customerDTO0.getUsername();
assertNull(string0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
CustomerDTO customerDTO0 = new CustomerDTO();
Long long0 = customerDTO0.getId();
assertNull(long0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
CustomerDTO customerDTO0 = new CustomerDTO();
Date date0 = customerDTO0.getDateOfBirth();
assertNull(date0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
CustomerDTO customerDTO0 = new CustomerDTO();
customerDTO0.setUsername("");
String string0 = customerDTO0.getUsername();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
CustomerDTO customerDTO0 = new CustomerDTO();
String string0 = customerDTO0.getLastName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
CustomerDTO customerDTO0 = new CustomerDTO();
String string0 = customerDTO0.getFirstName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
CustomerDTO customerDTO0 = new CustomerDTO();
MockDate mockDate0 = new MockDate();
customerDTO0.setDateOfBirth(mockDate0);
Date date0 = customerDTO0.getDateOfBirth();
assertSame(date0, mockDate0);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
CustomerDTO customerDTO0 = new CustomerDTO();
String string0 = customerDTO0.toString();
assertEquals("CustomerDTO{id=null, firstName='null', lastName='null', dateOfBirth=null, username='null', password='null'}", string0);
}
@Test(timeout = 4000)
public void test19() throws Throwable {
CustomerDTO customerDTO0 = new CustomerDTO();
String string0 = customerDTO0.getPassword();
assertNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 18:58:32 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class CustomerDTO_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "CustomerDTO";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.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_jepmwxd");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CustomerDTO_ESTest_scaffolding.class.getClassLoader() ,
"CustomerDTO"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CustomerDTO_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"CustomerDTO"
);
}
}
| 4,917 |
ImageFileFilter | import java.io.File;
/** File filter that accepts supported image file formats (tiff, tif, gif, jpeg, jpg, png, pdf). */
public class ImageFileFilter extends javax.swing.filechooser.FileFilter
implements java.io.FileFilter {
/** Returns true if the file format is supported. */
public boolean accept(File file) {
if (file.isDirectory()) {
return true;
}
String extension = null;
String fileName = file.getName();
int index = fileName.lastIndexOf('.');
if (index > 0 && index < fileName.length() - 1) {
extension = fileName.substring(index + 1).toLowerCase();
}
if (extension == null) {
return false;
}
if (extension.equals("tiff")
|| extension.equals("tif")
|| extension.equals("gif")
|| extension.equals("jpeg")
|| extension.equals("jpg")
|| extension.equals("png")
|| extension.equals("pdf")) {
return true;
}
return false;
}
public String getDescription() {
return "Images";
}
}
| .version 52 0
.class public super ImageFileFilter
.super javax/swing/filechooser/FileFilter
.implements java/io/FileFilter
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method javax/swing/filechooser/FileFilter <init> ()V
L4: return
L5:
.linenumbertable
L0 8
.end linenumbertable
.end code
.end method
.method public accept : (Ljava/io/File;)Z
.code stack 3 locals 5
L0: aload_1
L1: invokevirtual Method java/io/File isDirectory ()Z
L4: ifeq L9
L7: iconst_1
L8: ireturn
.stack same
L9: aconst_null
L10: astore_2
L11: aload_1
L12: invokevirtual Method java/io/File getName ()Ljava/lang/String;
L15: astore_3
L16: aload_3
L17: bipush 46
L19: invokevirtual Method java/lang/String lastIndexOf (I)I
L22: istore 4
L24: iload 4
L26: ifle L52
L29: iload 4
L31: aload_3
L32: invokevirtual Method java/lang/String length ()I
L35: iconst_1
L36: isub
L37: if_icmpge L52
L40: aload_3
L41: iload 4
L43: iconst_1
L44: iadd
L45: invokevirtual Method java/lang/String substring (I)Ljava/lang/String;
L48: invokevirtual Method java/lang/String toLowerCase ()Ljava/lang/String;
L51: astore_2
.stack append Object java/lang/String Object java/lang/String Integer
L52: aload_2
L53: ifnonnull L58
L56: iconst_0
L57: ireturn
.stack same
L58: aload_2
L59: ldc 'tiff'
L61: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L64: ifne L121
L67: aload_2
L68: ldc 'tif'
L70: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L73: ifne L121
L76: aload_2
L77: ldc 'gif'
L79: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L82: ifne L121
L85: aload_2
L86: ldc 'jpeg'
L88: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L91: ifne L121
L94: aload_2
L95: ldc 'jpg'
L97: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L100: ifne L121
L103: aload_2
L104: ldc 'png'
L106: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L109: ifne L121
L112: aload_2
L113: ldc 'pdf'
L115: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L118: ifeq L123
.stack same
L121: iconst_1
L122: ireturn
.stack same
L123: iconst_0
L124: ireturn
L125:
.linenumbertable
L0 14
L7 15
L9 18
L11 19
L16 20
L24 21
L40 22
L52 25
L56 26
L58 29
L70 30
L79 31
L88 32
L97 33
L106 34
L115 35
L121 37
L123 40
.end linenumbertable
.end code
.end method
.method public getDescription : ()Ljava/lang/String;
.code stack 1 locals 1
L0: ldc 'Images'
L2: areturn
L3:
.linenumbertable
L0 44
.end linenumbertable
.end code
.end method
.sourcefile 'ImageFileFilter.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 19:15:57 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.io.File;
import java.net.URI;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.mock.java.io.MockFile;
import org.evosuite.runtime.mock.java.net.MockURI;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class ImageFileFilter_ESTest extends ImageFileFilter_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ImageFileFilter imageFileFilter0 = new ImageFileFilter();
MockFile mockFile0 = new MockFile((File) null, "(Y4TQSQ~Yw0W.Qp");
boolean boolean0 = imageFileFilter0.accept(mockFile0);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
ImageFileFilter imageFileFilter0 = new ImageFileFilter();
MockFile mockFile0 = new MockFile(".f]Y2");
boolean boolean0 = imageFileFilter0.accept(mockFile0);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
ImageFileFilter imageFileFilter0 = new ImageFileFilter();
File file0 = MockFile.createTempFile("CoJsj8;Z ", "-u4ca1.XbM.");
boolean boolean0 = imageFileFilter0.accept(file0);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
ImageFileFilter imageFileFilter0 = new ImageFileFilter();
URI uRI0 = MockURI.aFileURI;
MockFile mockFile0 = new MockFile(uRI0);
mockFile0.mkdirs();
boolean boolean0 = imageFileFilter0.accept(mockFile0);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
ImageFileFilter imageFileFilter0 = new ImageFileFilter();
File file0 = MockFile.createTempFile("L9R(4gRK^", "L9R(4gRK^");
boolean boolean0 = imageFileFilter0.accept(file0);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
ImageFileFilter imageFileFilter0 = new ImageFileFilter();
String string0 = imageFileFilter0.getDescription();
assertEquals("Images", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 19:15:57 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class ImageFileFilter_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ImageFileFilter";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpbiikz9vj");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ImageFileFilter_ESTest_scaffolding.class.getClassLoader() ,
"ImageFileFilter"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ImageFileFilter_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ImageFileFilter"
);
}
}
| 4,918 |
InvalidFileTypeException | /**
* Licensed to the Apache Software Foundation (ASF) under one or more contributor license
* agreements. See the NOTICE file distributed with this work for additional information regarding
* copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the
* "License"); you may not use this file except in compliance with the License. You may obtain a
* copy of the License at
*
* <p>http://www.apache.org/licenses/LICENSE-2.0
*
* <p>Unless required by applicable law or agreed to in writing, software distributed under the
* License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either
* express or implied. See the License for the specific language governing permissions and
* limitations under the License.
*/
import java.io.IOException;
/**
* Used when file type differs from the desired file type. like getting a file when a directory is
* expected. Or a wrong file type.
*/
public class InvalidFileTypeException extends IOException {
public InvalidFileTypeException() {
super();
}
public InvalidFileTypeException(String msg) {
super(msg);
}
}
| .version 52 0
.class public super InvalidFileTypeException
.super java/io/IOException
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/io/IOException <init> ()V
L4: return
L5:
.linenumbertable
L0 31
L4 32
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/io/IOException <init> (Ljava/lang/String;)V
L5: return
L6:
.linenumbertable
L0 35
L5 36
.end linenumbertable
.end code
.end method
.sourcefile 'InvalidFileTypeException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 20:31: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 InvalidFileTypeException_ESTest extends InvalidFileTypeException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
InvalidFileTypeException invalidFileTypeException0 = new InvalidFileTypeException("8");
}
@Test(timeout = 4000)
public void test1() throws Throwable {
InvalidFileTypeException invalidFileTypeException0 = new InvalidFileTypeException();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 20:31: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 InvalidFileTypeException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "InvalidFileTypeException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp23ru0fji");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(InvalidFileTypeException_ESTest_scaffolding.class.getClassLoader() ,
"InvalidFileTypeException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(InvalidFileTypeException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"InvalidFileTypeException"
);
}
}
| 4,919 |
FileFormatter | /*
* Copyright (c) 2007-2008 Michael Schoonmaker <[email protected]>
* Copyright (c) 2007-2008 Michael Dippery <[email protected]>
*
* This program is free software; you can redistribute it and/or modify it
* under the terms of the GNU General Public License as published by the Free
* Software Foundation; either version 2 of the License, or (at your option)
* any later version.
*
* This program is distributed in the hope that it will be useful, but WITHOUT
* ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or
* FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for
* more details.
*
* You should have received a copy of the GNU General Public License along
* with this program; if not, write to the Free Software Foundation, Inc.,
* 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
*/
import java.util.Date;
import java.util.logging.Formatter;
import java.util.logging.LogRecord;
/**
* Formats log messages for entry into a log file.
*
* @author <a href="mailto:[email protected]">Michael Dippery</a>
* @version 0.1
*/
public class FileFormatter extends Formatter {
/** Creates a new formatter. */
public FileFormatter() {
super();
}
/**
* Formats a message for logging purposes. The message "Debug message", with the level INFO, would
* look like the following:
*
* <pre>
* 2008-01-18 12:26:59.051 Snodes [INFO]: Debug message
* </pre>
*
* <p>Stack trace information is also prevented in the case of an exception.
*
* @param record The log record.
* @return The formatted message.
*/
@Override
public String format(LogRecord record) {
final String LF = System.getProperty("line.separator");
Throwable t = record.getThrown();
String tStr = null;
String str = null;
// If there's an exception associated with the record, print the stack trace
if (t != null) {
StringBuilder tbuf = new StringBuilder();
tbuf.append(t).append(LF);
for (final StackTraceElement el : t.getStackTrace()) {
tbuf.append("\tat ").append(el).append(LF);
}
tStr = new String(tbuf);
}
str =
String.format(
"%1$tF %1$tT | %2$-7s : %3$s%n",
new Date(), record.getLevel().toString(), record.getMessage());
if (tStr != null) {
str = str.concat(tStr);
}
return str;
}
}
| .version 52 0
.class public super FileFormatter
.super java/util/logging/Formatter
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/util/logging/Formatter <init> ()V
L4: return
L5:
.linenumbertable
L0 39
L4 40
.end linenumbertable
.end code
.end method
.method public format : (Ljava/util/logging/LogRecord;)Ljava/lang/String;
.code stack 6 locals 11
L0: ldc 'line.separator'
L2: invokestatic Method java/lang/System getProperty (Ljava/lang/String;)Ljava/lang/String;
L5: astore_2
L6: aload_1
L7: invokevirtual Method java/util/logging/LogRecord getThrown ()Ljava/lang/Throwable;
L10: astore_3
L11: aconst_null
L12: astore 4
L14: aconst_null
L15: astore 5
L17: aload_3
L18: ifnull L103
L21: new java/lang/StringBuilder
L24: dup
L25: invokespecial Method java/lang/StringBuilder <init> ()V
L28: astore 6
L30: aload 6
L32: aload_3
L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L36: aload_2
L37: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L40: pop
L41: aload_3
L42: invokevirtual Method java/lang/Throwable getStackTrace ()[Ljava/lang/StackTraceElement;
L45: astore 7
L47: aload 7
L49: arraylength
L50: istore 8
L52: iconst_0
L53: istore 9
.stack full
locals Object FileFormatter Object java/util/logging/LogRecord Object java/lang/String Object java/lang/Throwable Object java/lang/String Object java/lang/String Object java/lang/StringBuilder Object [Ljava/lang/StackTraceElement; Integer Integer
stack
.end stack
L55: iload 9
L57: iload 8
L59: if_icmpge L92
L62: aload 7
L64: iload 9
L66: aaload
L67: astore 10
L69: aload 6
L71: ldc '\tat '
L73: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L76: aload 10
L78: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L81: aload_2
L82: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L85: pop
L86: iinc 9 1
L89: goto L55
.stack chop 3
L92: new java/lang/String
L95: dup
L96: aload 6
L98: invokespecial Method java/lang/String <init> (Ljava/lang/StringBuilder;)V
L101: astore 4
.stack chop 1
L103: ldc '%1$tF %1$tT | %2$-7s : %3$s%n'
L105: iconst_3
L106: anewarray java/lang/Object
L109: dup
L110: iconst_0
L111: new java/util/Date
L114: dup
L115: invokespecial Method java/util/Date <init> ()V
L118: aastore
L119: dup
L120: iconst_1
L121: aload_1
L122: invokevirtual Method java/util/logging/LogRecord getLevel ()Ljava/util/logging/Level;
L125: invokevirtual Method java/util/logging/Level toString ()Ljava/lang/String;
L128: aastore
L129: dup
L130: iconst_2
L131: aload_1
L132: invokevirtual Method java/util/logging/LogRecord getMessage ()Ljava/lang/String;
L135: aastore
L136: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String;
L139: astore 5
L141: aload 4
L143: ifnull L155
L146: aload 5
L148: aload 4
L150: invokevirtual Method java/lang/String concat (Ljava/lang/String;)Ljava/lang/String;
L153: astore 5
.stack same
L155: aload 5
L157: areturn
L158:
.linenumbertable
L0 60
L6 62
L11 63
L14 64
L17 67
L21 68
L30 70
L41 72
L69 73
L86 72
L92 76
L103 79
L122 81
L136 79
L141 83
L146 84
L155 87
.end linenumbertable
.end code
.end method
.sourcefile 'FileFormatter.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 02:13:26 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.util.logging.Level;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.mock.java.lang.MockException;
import org.evosuite.runtime.mock.java.util.logging.MockLogRecord;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class FileFormatter_ESTest extends FileFormatter_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
FileFormatter fileFormatter0 = new FileFormatter();
Level level0 = Level.WARNING;
MockLogRecord mockLogRecord0 = new MockLogRecord(level0, "3#lfJ%");
MockException mockException0 = new MockException();
mockLogRecord0.setThrown(mockException0);
fileFormatter0.format(mockLogRecord0);
String string0 = fileFormatter0.format(mockLogRecord0);
// // Unstable assertion: assertEquals("2014-02-14 20:21:21 | WARNING : 3#lfJ%\norg.evosuite.runtime.mock.java.lang.MockThrowable\n\tat sun.reflect.GeneratedConstructorAccessor53.newInstance(Unknown Source)\n\tat <evosuite>.<evosuite>(<evosuite>)\n\tat <evosuite>.<evosuite>(<evosuite>)\n", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
FileFormatter fileFormatter0 = new FileFormatter();
Level level0 = Level.WARNING;
MockLogRecord mockLogRecord0 = new MockLogRecord(level0, "3#lfJ%");
fileFormatter0.format(mockLogRecord0);
MockException mockException0 = new MockException();
mockLogRecord0.setThrown(mockException0);
String string0 = fileFormatter0.format(mockLogRecord0);
// // Unstable assertion: assertEquals("2014-02-14 20:21:21 | WARNING : 3#lfJ%\norg.evosuite.runtime.mock.java.lang.MockThrowable\n\tat sun.reflect.GeneratedConstructorAccessor53.newInstance(Unknown Source)\n\tat <evosuite>.<evosuite>(<evosuite>)\n\tat <evosuite>.<evosuite>(<evosuite>)\n", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 02:13:26 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class FileFormatter_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "FileFormatter";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp53h3ccea");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(FileFormatter_ESTest_scaffolding.class.getClassLoader() ,
"FileFormatter"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(FileFormatter_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"FileFormatter"
);
}
}
| 4,920 |
ConceptCountRecord | /** i.e. donut */
public class ConceptCountRecord {
private String conditionConceptName;
private long conditionConceptId;
private String observationConceptName;
private long observationConceptId;
private String conceptName;
private long conceptId;
private long countValue;
/**
* @return the conditionConceptName
*/
public String getConditionConceptName() {
return conditionConceptName;
}
/**
* @param conditionConceptName the conditionConceptName to set
*/
public void setConditionConceptName(String conditionConceptName) {
this.conditionConceptName = conditionConceptName;
}
/**
* @return the conditionConceptId
*/
public long getConditionConceptId() {
return conditionConceptId;
}
/**
* @param conditionConceptId the conditionConceptId to set
*/
public void setConditionConceptId(long conditionConceptId) {
this.conditionConceptId = conditionConceptId;
}
/**
* @return the observationConceptName
*/
public String getObservationConceptName() {
return observationConceptName;
}
/**
* @param observationConceptName the observationConceptName to set
*/
public void setObservationConceptName(String observationConceptName) {
this.observationConceptName = observationConceptName;
}
/**
* @return the observationConceptId
*/
public long getObservationConceptId() {
return observationConceptId;
}
/**
* @param observationConceptId the observationConceptId to set
*/
public void setObservationConceptId(long observationConceptId) {
this.observationConceptId = observationConceptId;
}
/**
* @return the conceptName
*/
public String getConceptName() {
return conceptName;
}
/**
* @param conceptName the conceptName to set
*/
public void setConceptName(String conceptName) {
this.conceptName = conceptName;
}
/**
* @return the conceptId
*/
public long getConceptId() {
return conceptId;
}
/**
* @param conceptId the conceptId to set
*/
public void setConceptId(long conceptId) {
this.conceptId = conceptId;
}
/**
* @return the countValue
*/
public long getCountValue() {
return countValue;
}
/**
* @param countValue the countValue to set
*/
public void setCountValue(long countValue) {
this.countValue = countValue;
}
}
| .version 52 0
.class public super ConceptCountRecord
.super java/lang/Object
.field private conditionConceptName Ljava/lang/String;
.field private conditionConceptId J
.field private observationConceptName Ljava/lang/String;
.field private observationConceptId J
.field private conceptName Ljava/lang/String;
.field private conceptId J
.field private countValue 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 8
.end linenumbertable
.end code
.end method
.method public getConditionConceptName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ConceptCountRecord conditionConceptName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 25
.end linenumbertable
.end code
.end method
.method public setConditionConceptName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field ConceptCountRecord conditionConceptName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 31
L5 32
.end linenumbertable
.end code
.end method
.method public getConditionConceptId : ()J
.code stack 2 locals 1
L0: aload_0
L1: getfield Field ConceptCountRecord conditionConceptId J
L4: lreturn
L5:
.linenumbertable
L0 37
.end linenumbertable
.end code
.end method
.method public setConditionConceptId : (J)V
.code stack 3 locals 3
L0: aload_0
L1: lload_1
L2: putfield Field ConceptCountRecord conditionConceptId J
L5: return
L6:
.linenumbertable
L0 43
L5 44
.end linenumbertable
.end code
.end method
.method public getObservationConceptName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ConceptCountRecord observationConceptName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 49
.end linenumbertable
.end code
.end method
.method public setObservationConceptName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field ConceptCountRecord observationConceptName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 55
L5 56
.end linenumbertable
.end code
.end method
.method public getObservationConceptId : ()J
.code stack 2 locals 1
L0: aload_0
L1: getfield Field ConceptCountRecord observationConceptId J
L4: lreturn
L5:
.linenumbertable
L0 61
.end linenumbertable
.end code
.end method
.method public setObservationConceptId : (J)V
.code stack 3 locals 3
L0: aload_0
L1: lload_1
L2: putfield Field ConceptCountRecord observationConceptId J
L5: return
L6:
.linenumbertable
L0 67
L5 68
.end linenumbertable
.end code
.end method
.method public getConceptName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ConceptCountRecord conceptName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 73
.end linenumbertable
.end code
.end method
.method public setConceptName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field ConceptCountRecord conceptName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 79
L5 80
.end linenumbertable
.end code
.end method
.method public getConceptId : ()J
.code stack 2 locals 1
L0: aload_0
L1: getfield Field ConceptCountRecord conceptId J
L4: lreturn
L5:
.linenumbertable
L0 85
.end linenumbertable
.end code
.end method
.method public setConceptId : (J)V
.code stack 3 locals 3
L0: aload_0
L1: lload_1
L2: putfield Field ConceptCountRecord conceptId J
L5: return
L6:
.linenumbertable
L0 91
L5 92
.end linenumbertable
.end code
.end method
.method public getCountValue : ()J
.code stack 2 locals 1
L0: aload_0
L1: getfield Field ConceptCountRecord countValue J
L4: lreturn
L5:
.linenumbertable
L0 97
.end linenumbertable
.end code
.end method
.method public setCountValue : (J)V
.code stack 3 locals 3
L0: aload_0
L1: lload_1
L2: putfield Field ConceptCountRecord countValue J
L5: return
L6:
.linenumbertable
L0 103
L5 104
.end linenumbertable
.end code
.end method
.sourcefile 'ConceptCountRecord.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 11:59: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 ConceptCountRecord_ESTest extends ConceptCountRecord_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
ConceptCountRecord conceptCountRecord0 = new ConceptCountRecord();
conceptCountRecord0.setObservationConceptName("/)=j8(&");
String string0 = conceptCountRecord0.getObservationConceptName();
assertEquals("/)=j8(&", string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
ConceptCountRecord conceptCountRecord0 = new ConceptCountRecord();
conceptCountRecord0.setObservationConceptId((-1L));
long long0 = conceptCountRecord0.getObservationConceptId();
assertEquals((-1L), long0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
ConceptCountRecord conceptCountRecord0 = new ConceptCountRecord();
conceptCountRecord0.setCountValue(8062L);
long long0 = conceptCountRecord0.getCountValue();
assertEquals(8062L, long0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
ConceptCountRecord conceptCountRecord0 = new ConceptCountRecord();
conceptCountRecord0.setCountValue((-23576L));
long long0 = conceptCountRecord0.getCountValue();
assertEquals((-23576L), long0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
ConceptCountRecord conceptCountRecord0 = new ConceptCountRecord();
conceptCountRecord0.setConditionConceptName("ConceptCountRecord");
String string0 = conceptCountRecord0.getConditionConceptName();
assertEquals("ConceptCountRecord", string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
ConceptCountRecord conceptCountRecord0 = new ConceptCountRecord();
conceptCountRecord0.setConditionConceptId(25558L);
long long0 = conceptCountRecord0.getConditionConceptId();
assertEquals(25558L, long0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
ConceptCountRecord conceptCountRecord0 = new ConceptCountRecord();
conceptCountRecord0.setConceptName("~r+`u:");
String string0 = conceptCountRecord0.getConceptName();
assertEquals("~r+`u:", string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
ConceptCountRecord conceptCountRecord0 = new ConceptCountRecord();
conceptCountRecord0.setConceptId((-12554L));
long long0 = conceptCountRecord0.getConceptId();
assertEquals((-12554L), long0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
ConceptCountRecord conceptCountRecord0 = new ConceptCountRecord();
conceptCountRecord0.setConceptName("");
String string0 = conceptCountRecord0.getConceptName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
ConceptCountRecord conceptCountRecord0 = new ConceptCountRecord();
conceptCountRecord0.setObservationConceptName("");
String string0 = conceptCountRecord0.getObservationConceptName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
ConceptCountRecord conceptCountRecord0 = new ConceptCountRecord();
conceptCountRecord0.setObservationConceptId(25558L);
long long0 = conceptCountRecord0.getObservationConceptId();
assertEquals(25558L, long0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
ConceptCountRecord conceptCountRecord0 = new ConceptCountRecord();
long long0 = conceptCountRecord0.getObservationConceptId();
assertEquals(0L, long0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
ConceptCountRecord conceptCountRecord0 = new ConceptCountRecord();
String string0 = conceptCountRecord0.getConceptName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
ConceptCountRecord conceptCountRecord0 = new ConceptCountRecord();
String string0 = conceptCountRecord0.getConditionConceptName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
ConceptCountRecord conceptCountRecord0 = new ConceptCountRecord();
conceptCountRecord0.setConditionConceptName("");
String string0 = conceptCountRecord0.getConditionConceptName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
ConceptCountRecord conceptCountRecord0 = new ConceptCountRecord();
String string0 = conceptCountRecord0.getObservationConceptName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
ConceptCountRecord conceptCountRecord0 = new ConceptCountRecord();
conceptCountRecord0.setConceptId(25558L);
long long0 = conceptCountRecord0.getConceptId();
assertEquals(25558L, long0);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
ConceptCountRecord conceptCountRecord0 = new ConceptCountRecord();
long long0 = conceptCountRecord0.getConditionConceptId();
assertEquals(0L, long0);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
ConceptCountRecord conceptCountRecord0 = new ConceptCountRecord();
conceptCountRecord0.setConditionConceptId((-22256L));
long long0 = conceptCountRecord0.getConditionConceptId();
assertEquals((-22256L), long0);
}
@Test(timeout = 4000)
public void test19() throws Throwable {
ConceptCountRecord conceptCountRecord0 = new ConceptCountRecord();
long long0 = conceptCountRecord0.getCountValue();
assertEquals(0L, long0);
}
@Test(timeout = 4000)
public void test20() throws Throwable {
ConceptCountRecord conceptCountRecord0 = new ConceptCountRecord();
long long0 = conceptCountRecord0.getConceptId();
assertEquals(0L, long0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 11:59: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 ConceptCountRecord_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ConceptCountRecord";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpi1cakiev");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ConceptCountRecord_ESTest_scaffolding.class.getClassLoader() ,
"ConceptCountRecord"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ConceptCountRecord_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ConceptCountRecord"
);
}
}
| 4,921 |
Murmur3 | /*
* Copyright (C) 2014 Robert Stupp, Koeln, Germany, robert-stupp.de
*
* 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.
*/
final class Murmur3 {
static final long C1 = 0x87c37b91114253d5L;
static final long C2 = 0x4cf5ad432745937fL;
static long fmix64(long k) {
k ^= k >>> 33;
k *= 0xff51afd7ed558ccdL;
k ^= k >>> 33;
k *= 0xc4ceb9fe1a85ec53L;
k ^= k >>> 33;
return k;
}
static long mixK1(long k1) {
k1 *= C1;
k1 = Long.rotateLeft(k1, 31);
k1 *= C2;
return k1;
}
static long mixK2(long k2) {
k2 *= C2;
k2 = Long.rotateLeft(k2, 33);
k2 *= C1;
return k2;
}
static long toLong(byte value) {
return value & 0xff;
}
}
| .version 52 0
.class final super Murmur3
.super java/lang/Object
.field static final C1 J = -8663945395140668459L
.field static final C2 J = 5545529020109919103L
.method <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 18
.end linenumbertable
.end code
.end method
.method static fmix64 : (J)J
.code stack 5 locals 2
L0: lload_0
L1: lload_0
L2: bipush 33
L4: lushr
L5: lxor
L6: lstore_0
L7: lload_0
L8: ldc2_w -49064778989728563L
L11: lmul
L12: lstore_0
L13: lload_0
L14: lload_0
L15: bipush 33
L17: lushr
L18: lxor
L19: lstore_0
L20: lload_0
L21: ldc2_w -4265267296055464877L
L24: lmul
L25: lstore_0
L26: lload_0
L27: lload_0
L28: bipush 33
L30: lushr
L31: lxor
L32: lstore_0
L33: lload_0
L34: lreturn
L35:
.linenumbertable
L0 25
L7 26
L13 27
L20 28
L26 29
L33 30
.end linenumbertable
.end code
.end method
.method static mixK1 : (J)J
.code stack 4 locals 2
L0: lload_0
L1: ldc2_w -8663945395140668459L
L4: lmul
L5: lstore_0
L6: lload_0
L7: bipush 31
L9: invokestatic Method java/lang/Long rotateLeft (JI)J
L12: lstore_0
L13: lload_0
L14: ldc2_w 5545529020109919103L
L17: lmul
L18: lstore_0
L19: lload_0
L20: lreturn
L21:
.linenumbertable
L0 35
L6 36
L13 37
L19 38
.end linenumbertable
.end code
.end method
.method static mixK2 : (J)J
.code stack 4 locals 2
L0: lload_0
L1: ldc2_w 5545529020109919103L
L4: lmul
L5: lstore_0
L6: lload_0
L7: bipush 33
L9: invokestatic Method java/lang/Long rotateLeft (JI)J
L12: lstore_0
L13: lload_0
L14: ldc2_w -8663945395140668459L
L17: lmul
L18: lstore_0
L19: lload_0
L20: lreturn
L21:
.linenumbertable
L0 43
L6 44
L13 45
L19 46
.end linenumbertable
.end code
.end method
.method static toLong : (B)J
.code stack 2 locals 1
L0: iload_0
L1: sipush 255
L4: iand
L5: i2l
L6: lreturn
L7:
.linenumbertable
L0 51
.end linenumbertable
.end code
.end method
.sourcefile 'Murmur3.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 15:32:29 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Murmur3_ESTest extends Murmur3_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
long long0 = Murmur3.toLong((byte)0);
assertEquals(0L, long0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
long long0 = Murmur3.mixK2((-2453L));
assertEquals(5845716559390258213L, long0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
long long0 = Murmur3.mixK2(53084L);
assertEquals((-4376869223403729986L), long0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
long long0 = Murmur3.mixK1(0L);
assertEquals(0L, long0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
long long0 = Murmur3.mixK1(35852L);
assertEquals((-7375804259633153822L), long0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
long long0 = Murmur3.fmix64(0L);
assertEquals(0L, long0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
long long0 = Murmur3.fmix64(17429L);
assertEquals(3346226813271229220L, long0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
Murmur3 murmur3_0 = new Murmur3();
}
@Test(timeout = 4000)
public void test08() throws Throwable {
long long0 = Murmur3.mixK1(1L);
assertEquals(3810217957135416888L, long0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
long long0 = Murmur3.fmix64((-8663945395140668459L));
assertEquals((-7289192614772257117L), long0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
long long0 = Murmur3.toLong((byte)45);
assertEquals(45L, long0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
long long0 = Murmur3.mixK2(0L);
assertEquals(0L, long0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 15:32:29 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Murmur3_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Murmur3";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp3fb690d9");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Murmur3_ESTest_scaffolding.class.getClassLoader() ,
"Murmur3"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Murmur3_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Murmur3"
);
}
}
| 4,922 |
FirstInFirstOutQueue | import java.util.LinkedList;
import java.util.Queue;
public class FirstInFirstOutQueue {
Queue<String> fifo = null;
public FirstInFirstOutQueue() {
fifo = new LinkedList<String>();
}
public void add(String link) {
fifo.add(link);
}
public String remove() {
String link = fifo.remove();
return link;
}
public boolean isEmpty() {
return fifo.isEmpty();
}
public static void main(String args[]) {
char arr[] = {'3', '1', '4', '1', '5', '9', '2', '6', '5', '3', '5', '8', '9'};
Queue<String> fifo = new LinkedList<String>();
for (int i = 0; i < arr.length; i++) {
String s = "" + arr[i];
fifo.add(s);
}
System.out.print(fifo.remove() + ".");
while (!fifo.isEmpty()) {
String link = fifo.remove();
System.out.print(link);
}
System.out.println();
}
}
| .version 52 0
.class public super FirstInFirstOutQueue
.super java/lang/Object
.field fifo Ljava/util/Queue; .fieldattributes
.signature Ljava/util/Queue<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: aconst_null
L6: putfield Field FirstInFirstOutQueue fifo Ljava/util/Queue;
L9: aload_0
L10: new java/util/LinkedList
L13: dup
L14: invokespecial Method java/util/LinkedList <init> ()V
L17: putfield Field FirstInFirstOutQueue fifo Ljava/util/Queue;
L20: return
L21:
.linenumbertable
L0 9
L4 7
L9 10
L20 11
.end linenumbertable
.end code
.end method
.method public add : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: getfield Field FirstInFirstOutQueue fifo Ljava/util/Queue;
L4: aload_1
L5: invokeinterface InterfaceMethod java/util/Queue add (Ljava/lang/Object;)Z 2
L10: pop
L11: return
L12:
.linenumbertable
L0 14
L11 15
.end linenumbertable
.end code
.end method
.method public remove : ()Ljava/lang/String;
.code stack 1 locals 2
L0: aload_0
L1: getfield Field FirstInFirstOutQueue fifo Ljava/util/Queue;
L4: invokeinterface InterfaceMethod java/util/Queue remove ()Ljava/lang/Object; 1
L9: checkcast java/lang/String
L12: astore_1
L13: aload_1
L14: areturn
L15:
.linenumbertable
L0 18
L13 19
.end linenumbertable
.end code
.end method
.method public isEmpty : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field FirstInFirstOutQueue fifo Ljava/util/Queue;
L4: invokeinterface InterfaceMethod java/util/Queue isEmpty ()Z 1
L9: ireturn
L10:
.linenumbertable
L0 23
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 4 locals 5
L0: bipush 13
L2: newarray char
L4: dup
L5: iconst_0
L6: bipush 51
L8: castore
L9: dup
L10: iconst_1
L11: bipush 49
L13: castore
L14: dup
L15: iconst_2
L16: bipush 52
L18: castore
L19: dup
L20: iconst_3
L21: bipush 49
L23: castore
L24: dup
L25: iconst_4
L26: bipush 53
L28: castore
L29: dup
L30: iconst_5
L31: bipush 57
L33: castore
L34: dup
L35: bipush 6
L37: bipush 50
L39: castore
L40: dup
L41: bipush 7
L43: bipush 54
L45: castore
L46: dup
L47: bipush 8
L49: bipush 53
L51: castore
L52: dup
L53: bipush 9
L55: bipush 51
L57: castore
L58: dup
L59: bipush 10
L61: bipush 53
L63: castore
L64: dup
L65: bipush 11
L67: bipush 56
L69: castore
L70: dup
L71: bipush 12
L73: bipush 57
L75: castore
L76: astore_1
L77: new java/util/LinkedList
L80: dup
L81: invokespecial Method java/util/LinkedList <init> ()V
L84: astore_2
L85: iconst_0
L86: istore_3
.stack append Object [C Object java/util/Queue Integer
L87: iload_3
L88: aload_1
L89: arraylength
L90: if_icmpge L131
L93: new java/lang/StringBuilder
L96: dup
L97: invokespecial Method java/lang/StringBuilder <init> ()V
L100: ldc ''
L102: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L105: aload_1
L106: iload_3
L107: caload
L108: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L111: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L114: astore 4
L116: aload_2
L117: aload 4
L119: invokeinterface InterfaceMethod java/util/Queue add (Ljava/lang/Object;)Z 2
L124: pop
L125: iinc 3 1
L128: goto L87
.stack chop 1
L131: getstatic Field java/lang/System out Ljava/io/PrintStream;
L134: new java/lang/StringBuilder
L137: dup
L138: invokespecial Method java/lang/StringBuilder <init> ()V
L141: aload_2
L142: invokeinterface InterfaceMethod java/util/Queue remove ()Ljava/lang/Object; 1
L147: checkcast java/lang/String
L150: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L153: ldc '.'
L155: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L158: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L161: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V
.stack same
L164: aload_2
L165: invokeinterface InterfaceMethod java/util/Queue isEmpty ()Z 1
L170: ifne L193
L173: aload_2
L174: invokeinterface InterfaceMethod java/util/Queue remove ()Ljava/lang/Object; 1
L179: checkcast java/lang/String
L182: astore_3
L183: getstatic Field java/lang/System out Ljava/io/PrintStream;
L186: aload_3
L187: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V
L190: goto L164
.stack same
L193: getstatic Field java/lang/System out Ljava/io/PrintStream;
L196: invokevirtual Method java/io/PrintStream println ()V
L199: return
L200:
.linenumbertable
L0 27
L77 28
L85 30
L93 31
L116 32
L125 30
L131 35
L164 36
L173 37
L183 38
L190 39
L193 40
L199 42
.end linenumbertable
.end code
.end method
.sourcefile 'FirstInFirstOutQueue.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 19:50: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 FirstInFirstOutQueue_ESTest extends FirstInFirstOutQueue_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
FirstInFirstOutQueue firstInFirstOutQueue0 = new FirstInFirstOutQueue();
firstInFirstOutQueue0.add((String) null);
String string0 = firstInFirstOutQueue0.remove();
assertNull(string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
FirstInFirstOutQueue firstInFirstOutQueue0 = new FirstInFirstOutQueue();
firstInFirstOutQueue0.add("");
String string0 = firstInFirstOutQueue0.remove();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
String[] stringArray0 = new String[2];
FirstInFirstOutQueue.main(stringArray0);
FirstInFirstOutQueue firstInFirstOutQueue0 = new FirstInFirstOutQueue();
firstInFirstOutQueue0.add("!d u:9'~4j;>");
FirstInFirstOutQueue.main(stringArray0);
firstInFirstOutQueue0.isEmpty();
assertFalse(firstInFirstOutQueue0.isEmpty());
firstInFirstOutQueue0.remove();
assertTrue(firstInFirstOutQueue0.isEmpty());
}
@Test(timeout = 4000)
public void test3() throws Throwable {
FirstInFirstOutQueue firstInFirstOutQueue0 = new FirstInFirstOutQueue();
firstInFirstOutQueue0.add("!d u:9'~4j;>");
assertFalse(firstInFirstOutQueue0.isEmpty());
firstInFirstOutQueue0.remove();
boolean boolean0 = firstInFirstOutQueue0.isEmpty();
assertTrue(boolean0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 19:50: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 FirstInFirstOutQueue_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "FirstInFirstOutQueue";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpmczw32es");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(FirstInFirstOutQueue_ESTest_scaffolding.class.getClassLoader() ,
"FirstInFirstOutQueue"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(FirstInFirstOutQueue_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"FirstInFirstOutQueue"
);
}
}
| 4,923 |
SampleClass2 | import java.util.List;
import java.util.Optional;
public class SampleClass2 {
public int m_parameter1;
public String m_parameter2;
public double m_parameter3;
public Object m_parameter4;
public Optional<String> m_parameter5;
public String m_parameter6;
public List<String> m_parameter7;
public String[] m_array1;
public int[] m_array2;
public Object[] m_array3;
public Double[][] m_array4;
public SampleClass2(int parameter1, String parameter2, double parameter3) {
m_parameter1 = parameter1;
m_parameter2 = parameter2;
m_parameter3 = parameter3;
}
public SampleClass2(Object parameter4, Optional<String> parameter5) {
m_parameter4 = parameter4;
m_parameter5 = parameter5;
}
public SampleClass2(String name, List<String> parameters) {
m_parameter6 = name;
m_parameter7 = parameters;
}
public SampleClass2(String[] array1, int[] array2, Object[] array3, Double[][] array4) {
m_array1 = array1;
m_array2 = array2;
m_array3 = array3;
m_array4 = array4;
}
public static SampleClass2 getInstance() {
return new SampleClass2(1, "2", 3.0);
}
}
| .version 52 0
.class public super SampleClass2
.super java/lang/Object
.field public m_parameter1 I
.field public m_parameter2 Ljava/lang/String;
.field public m_parameter3 D
.field public m_parameter4 Ljava/lang/Object;
.field public m_parameter5 Ljava/util/Optional; .fieldattributes
.signature Ljava/util/Optional<Ljava/lang/String;>;
.end fieldattributes
.field public m_parameter6 Ljava/lang/String;
.field public m_parameter7 Ljava/util/List; .fieldattributes
.signature Ljava/util/List<Ljava/lang/String;>;
.end fieldattributes
.field public m_array1 [Ljava/lang/String;
.field public m_array2 [I
.field public m_array3 [Ljava/lang/Object;
.field public m_array4 [[Ljava/lang/Double;
.method public <init> : (ILjava/lang/String;D)V
.code stack 3 locals 5
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iload_1
L6: putfield Field SampleClass2 m_parameter1 I
L9: aload_0
L10: aload_2
L11: putfield Field SampleClass2 m_parameter2 Ljava/lang/String;
L14: aload_0
L15: dload_3
L16: putfield Field SampleClass2 m_parameter3 D
L19: return
L20:
.linenumbertable
L0 20
L4 21
L9 22
L14 23
L19 24
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/Object;Ljava/util/Optional;)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 SampleClass2 m_parameter4 Ljava/lang/Object;
L9: aload_0
L10: aload_2
L11: putfield Field SampleClass2 m_parameter5 Ljava/util/Optional;
L14: return
L15:
.linenumbertable
L0 26
L4 27
L9 28
L14 29
.end linenumbertable
.end code
.signature (Ljava/lang/Object;Ljava/util/Optional<Ljava/lang/String;>;)V
.end method
.method public <init> : (Ljava/lang/String;Ljava/util/List;)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 SampleClass2 m_parameter6 Ljava/lang/String;
L9: aload_0
L10: aload_2
L11: putfield Field SampleClass2 m_parameter7 Ljava/util/List;
L14: return
L15:
.linenumbertable
L0 31
L4 32
L9 33
L14 34
.end linenumbertable
.end code
.signature (Ljava/lang/String;Ljava/util/List<Ljava/lang/String;>;)V
.end method
.method public <init> : ([Ljava/lang/String;[I[Ljava/lang/Object;[[Ljava/lang/Double;)V
.code stack 2 locals 5
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field SampleClass2 m_array1 [Ljava/lang/String;
L9: aload_0
L10: aload_2
L11: putfield Field SampleClass2 m_array2 [I
L14: aload_0
L15: aload_3
L16: putfield Field SampleClass2 m_array3 [Ljava/lang/Object;
L19: aload_0
L20: aload 4
L22: putfield Field SampleClass2 m_array4 [[Ljava/lang/Double;
L25: return
L26:
.linenumbertable
L0 36
L4 37
L9 38
L14 39
L19 40
L25 41
.end linenumbertable
.end code
.end method
.method public static getInstance : ()LSampleClass2;
.code stack 6 locals 0
L0: new SampleClass2
L3: dup
L4: iconst_1
L5: ldc '2'
L7: ldc2_w +3.0
L10: invokespecial Method SampleClass2 <init> (ILjava/lang/String;D)V
L13: areturn
L14:
.linenumbertable
L0 44
.end linenumbertable
.end code
.end method
.sourcefile 'SampleClass2.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 01:41:29 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.util.LinkedList;
import java.util.List;
import java.util.Optional;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class SampleClass2_ESTest extends SampleClass2_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
SampleClass2 sampleClass2_0 = new SampleClass2(0, (String) null, 0);
assertEquals(0, sampleClass2_0.m_parameter1);
assertEquals(0.0, sampleClass2_0.m_parameter3, 1.0E-4);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
LinkedList<String> linkedList0 = new LinkedList<String>();
SampleClass2 sampleClass2_0 = new SampleClass2(linkedList0, (Optional<String>) null);
assertEquals(0.0, sampleClass2_0.m_parameter3, 1.0E-4);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
SampleClass2 sampleClass2_0 = new SampleClass2((String) null, (List<String>) null);
assertEquals(0, sampleClass2_0.m_parameter1);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
SampleClass2 sampleClass2_0 = SampleClass2.getInstance();
assertEquals(3.0, sampleClass2_0.m_parameter3, 1.0E-4);
assertEquals(1, sampleClass2_0.m_parameter1);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
SampleClass2 sampleClass2_0 = new SampleClass2((String[]) null, (int[]) null, (Object[]) null, (Double[][]) null);
assertEquals(0, sampleClass2_0.m_parameter1);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 01:41:29 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class SampleClass2_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "SampleClass2";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp28n6byg4");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SampleClass2_ESTest_scaffolding.class.getClassLoader() ,
"SampleClass2"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SampleClass2_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"SampleClass2"
);
}
}
| 4,924 |
Regex | /** Created by wenhang on 3/3/14. */
public class Regex {
public static final String EXAMPLE_TEST =
"This is my small example " + "string which I'm going to " + "use for pattern matching.";
public static void main(String[] args) {
System.out.println(EXAMPLE_TEST.matches("\\w.*"));
String[] splitString = (EXAMPLE_TEST.split("\\sis\\s"));
System.out.println(splitString.length); // should be 14
for (String string : splitString) {
System.out.println(string);
}
// replace all whitespace with tabs
System.out.println(EXAMPLE_TEST.replaceAll("\\s+", "\t"));
}
}
| .version 52 0
.class public super Regex
.super java/lang/Object
.field public static final EXAMPLE_TEST Ljava/lang/String; = "This is my small example string which I'm going to use for pattern matching."
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 4
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 4 locals 6
L0: getstatic Field java/lang/System out Ljava/io/PrintStream;
L3: ldc "This is my small example string which I'm going to use for pattern matching."
L5: ldc '\\w.*'
L7: invokevirtual Method java/lang/String matches (Ljava/lang/String;)Z
L10: invokevirtual Method java/io/PrintStream println (Z)V
L13: ldc "This is my small example string which I'm going to use for pattern matching."
L15: ldc '\\sis\\s'
L17: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String;
L20: astore_1
L21: getstatic Field java/lang/System out Ljava/io/PrintStream;
L24: aload_1
L25: arraylength
L26: invokevirtual Method java/io/PrintStream println (I)V
L29: aload_1
L30: astore_2
L31: aload_2
L32: arraylength
L33: istore_3
L34: iconst_0
L35: istore 4
.stack full
locals Object [Ljava/lang/String; Object [Ljava/lang/String; Object [Ljava/lang/String; Integer Integer
stack
.end stack
L37: iload 4
L39: iload_3
L40: if_icmpge L63
L43: aload_2
L44: iload 4
L46: aaload
L47: astore 5
L49: getstatic Field java/lang/System out Ljava/io/PrintStream;
L52: aload 5
L54: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L57: iinc 4 1
L60: goto L37
.stack chop 3
L63: getstatic Field java/lang/System out Ljava/io/PrintStream;
L66: ldc "This is my small example string which I'm going to use for pattern matching."
L68: ldc '\\s+'
L70: ldc '\t'
L72: invokevirtual Method java/lang/String replaceAll (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String;
L75: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L78: return
L79:
.linenumbertable
L0 9
L13 10
L21 11
L29 12
L49 13
L57 12
L63 16
L78 17
.end linenumbertable
.end code
.end method
.sourcefile 'Regex.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 02:06: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 Regex_ESTest extends Regex_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[0];
Regex.main(stringArray0);
assertEquals(0, stringArray0.length);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Regex regex0 = new Regex();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 02:06: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 Regex_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Regex";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp1gs50oev");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Regex_ESTest_scaffolding.class.getClassLoader() ,
"Regex"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Regex_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Regex"
);
}
}
| 4,925 |
InterfaceDetails | /**
* Class to store wifi/3G/tethering status and LAN IP ranges.
*
* <p>Copyright (C) 2013 Kevin Cernekee
*
* <p>This program is free software: you can redistribute it and/or modify it under the terms of the
* GNU General Public License as published by the Free Software Foundation, either version 3 of the
* License, or (at your option) any later version.
*
* <p>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.
*
* <p>You should have received a copy of the GNU General Public License along with this program. If
* not, see <http://www.gnu.org/licenses/>.
*
* @author Kevin Cernekee
* @version 1.0
*/
public class InterfaceDetails {
// firewall policy
public boolean isRoaming = false;
public boolean isWifiTethered = false;
public boolean tetherWifiStatusKnown = false;
public boolean isBluetoothTethered = false;
public boolean tetherBluetoothStatusKnown = false;
public boolean isUsbTethered = false;
public boolean tetherUsbStatusKnown = false;
public String lanMaskV4 = "";
public String lanMaskV6 = "";
// TODO: identify DNS servers instead of opening up port 53/udp to all LAN hosts
// supplementary info
String wifiName = "";
boolean netEnabled = false;
boolean noIP = false;
public int netType = -1;
public boolean equals(InterfaceDetails that) {
return this.isRoaming == that.isRoaming
&& this.isWifiTethered == that.isWifiTethered
&& this.tetherWifiStatusKnown == that.tetherWifiStatusKnown
&& this.isBluetoothTethered == that.isBluetoothTethered
&& this.tetherBluetoothStatusKnown == that.tetherBluetoothStatusKnown
&& this.isUsbTethered == that.isUsbTethered
&& this.tetherUsbStatusKnown == that.tetherUsbStatusKnown
&& this.lanMaskV4.equals(that.lanMaskV4)
&& this.lanMaskV6.equals(that.lanMaskV6)
&& this.wifiName.equals(that.wifiName)
&& this.netEnabled == that.netEnabled
&& this.netType == that.netType
&& this.noIP == that.noIP;
}
}
| .version 52 0
.class public super InterfaceDetails
.super java/lang/Object
.field public isRoaming Z
.field public isWifiTethered Z
.field public tetherWifiStatusKnown Z
.field public isBluetoothTethered Z
.field public tetherBluetoothStatusKnown Z
.field public isUsbTethered Z
.field public tetherUsbStatusKnown Z
.field public lanMaskV4 Ljava/lang/String;
.field public lanMaskV6 Ljava/lang/String;
.field wifiName Ljava/lang/String;
.field netEnabled Z
.field noIP Z
.field public netType I
.method public <init> : ()V
.code stack 2 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iconst_0
L6: putfield Field InterfaceDetails isRoaming Z
L9: aload_0
L10: iconst_0
L11: putfield Field InterfaceDetails isWifiTethered Z
L14: aload_0
L15: iconst_0
L16: putfield Field InterfaceDetails tetherWifiStatusKnown Z
L19: aload_0
L20: iconst_0
L21: putfield Field InterfaceDetails isBluetoothTethered Z
L24: aload_0
L25: iconst_0
L26: putfield Field InterfaceDetails tetherBluetoothStatusKnown Z
L29: aload_0
L30: iconst_0
L31: putfield Field InterfaceDetails isUsbTethered Z
L34: aload_0
L35: iconst_0
L36: putfield Field InterfaceDetails tetherUsbStatusKnown Z
L39: aload_0
L40: ldc ''
L42: putfield Field InterfaceDetails lanMaskV4 Ljava/lang/String;
L45: aload_0
L46: ldc ''
L48: putfield Field InterfaceDetails lanMaskV6 Ljava/lang/String;
L51: aload_0
L52: ldc ''
L54: putfield Field InterfaceDetails wifiName Ljava/lang/String;
L57: aload_0
L58: iconst_0
L59: putfield Field InterfaceDetails netEnabled Z
L62: aload_0
L63: iconst_0
L64: putfield Field InterfaceDetails noIP Z
L67: aload_0
L68: iconst_m1
L69: putfield Field InterfaceDetails netType I
L72: return
L73:
.linenumbertable
L0 25
L4 27
L9 29
L14 30
L19 32
L24 33
L29 35
L34 36
L39 38
L45 39
L51 43
L57 44
L62 45
L67 46
.end linenumbertable
.end code
.end method
.method public equals : (LInterfaceDetails;)Z
.code stack 2 locals 2
L0: aload_0
L1: getfield Field InterfaceDetails isRoaming Z
L4: aload_1
L5: getfield Field InterfaceDetails isRoaming Z
L8: if_icmpne L156
L11: aload_0
L12: getfield Field InterfaceDetails isWifiTethered Z
L15: aload_1
L16: getfield Field InterfaceDetails isWifiTethered Z
L19: if_icmpne L156
L22: aload_0
L23: getfield Field InterfaceDetails tetherWifiStatusKnown Z
L26: aload_1
L27: getfield Field InterfaceDetails tetherWifiStatusKnown Z
L30: if_icmpne L156
L33: aload_0
L34: getfield Field InterfaceDetails isBluetoothTethered Z
L37: aload_1
L38: getfield Field InterfaceDetails isBluetoothTethered Z
L41: if_icmpne L156
L44: aload_0
L45: getfield Field InterfaceDetails tetherBluetoothStatusKnown Z
L48: aload_1
L49: getfield Field InterfaceDetails tetherBluetoothStatusKnown Z
L52: if_icmpne L156
L55: aload_0
L56: getfield Field InterfaceDetails isUsbTethered Z
L59: aload_1
L60: getfield Field InterfaceDetails isUsbTethered Z
L63: if_icmpne L156
L66: aload_0
L67: getfield Field InterfaceDetails tetherUsbStatusKnown Z
L70: aload_1
L71: getfield Field InterfaceDetails tetherUsbStatusKnown Z
L74: if_icmpne L156
L77: aload_0
L78: getfield Field InterfaceDetails lanMaskV4 Ljava/lang/String;
L81: aload_1
L82: getfield Field InterfaceDetails lanMaskV4 Ljava/lang/String;
L85: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L88: ifeq L156
L91: aload_0
L92: getfield Field InterfaceDetails lanMaskV6 Ljava/lang/String;
L95: aload_1
L96: getfield Field InterfaceDetails lanMaskV6 Ljava/lang/String;
L99: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L102: ifeq L156
L105: aload_0
L106: getfield Field InterfaceDetails wifiName Ljava/lang/String;
L109: aload_1
L110: getfield Field InterfaceDetails wifiName Ljava/lang/String;
L113: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L116: ifeq L156
L119: aload_0
L120: getfield Field InterfaceDetails netEnabled Z
L123: aload_1
L124: getfield Field InterfaceDetails netEnabled Z
L127: if_icmpne L156
L130: aload_0
L131: getfield Field InterfaceDetails netType I
L134: aload_1
L135: getfield Field InterfaceDetails netType I
L138: if_icmpne L156
L141: aload_0
L142: getfield Field InterfaceDetails noIP Z
L145: aload_1
L146: getfield Field InterfaceDetails noIP Z
L149: if_icmpne L156
L152: iconst_1
L153: goto L157
.stack same_extended
L156: iconst_0
.stack stack_1 Integer
L157: ireturn
L158:
.linenumbertable
L0 49
L85 56
L99 57
L113 58
L157 49
.end linenumbertable
.end code
.end method
.sourcefile 'InterfaceDetails.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 06:55: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 InterfaceDetails_ESTest extends InterfaceDetails_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
InterfaceDetails interfaceDetails0 = new InterfaceDetails();
InterfaceDetails interfaceDetails1 = new InterfaceDetails();
assertEquals((-1), interfaceDetails1.netType);
interfaceDetails1.netType = 1;
boolean boolean0 = interfaceDetails0.equals(interfaceDetails1);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
InterfaceDetails interfaceDetails0 = new InterfaceDetails();
assertEquals((-1), interfaceDetails0.netType);
InterfaceDetails interfaceDetails1 = new InterfaceDetails();
interfaceDetails0.netType = 14035;
boolean boolean0 = interfaceDetails0.equals(interfaceDetails1);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
InterfaceDetails interfaceDetails0 = new InterfaceDetails();
InterfaceDetails interfaceDetails1 = new InterfaceDetails();
interfaceDetails1.wifiName = "np";
boolean boolean0 = interfaceDetails0.equals(interfaceDetails1);
assertFalse(interfaceDetails1.isWifiTethered);
assertEquals((-1), interfaceDetails1.netType);
assertFalse(boolean0);
assertFalse(interfaceDetails1.isUsbTethered);
assertFalse(interfaceDetails1.tetherWifiStatusKnown);
assertFalse(interfaceDetails1.tetherBluetoothStatusKnown);
assertFalse(interfaceDetails1.isBluetoothTethered);
assertFalse(interfaceDetails1.tetherUsbStatusKnown);
assertFalse(interfaceDetails1.isRoaming);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
InterfaceDetails interfaceDetails0 = new InterfaceDetails();
InterfaceDetails interfaceDetails1 = new InterfaceDetails();
interfaceDetails0.lanMaskV4 = "ztfZoR";
interfaceDetails1.lanMaskV4 = "ztfZoR";
interfaceDetails1.lanMaskV6 = "ztfZoR";
boolean boolean0 = interfaceDetails1.equals(interfaceDetails0);
assertFalse(interfaceDetails1.isWifiTethered);
assertFalse(interfaceDetails1.tetherWifiStatusKnown);
assertFalse(boolean0);
assertFalse(interfaceDetails1.tetherUsbStatusKnown);
assertFalse(interfaceDetails1.isRoaming);
assertFalse(interfaceDetails1.isBluetoothTethered);
assertFalse(interfaceDetails1.tetherBluetoothStatusKnown);
assertEquals((-1), interfaceDetails1.netType);
assertFalse(interfaceDetails1.isUsbTethered);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
InterfaceDetails interfaceDetails0 = new InterfaceDetails();
InterfaceDetails interfaceDetails1 = new InterfaceDetails();
interfaceDetails0.lanMaskV4 = "ztfZoR";
boolean boolean0 = interfaceDetails0.equals(interfaceDetails1);
assertFalse(interfaceDetails1.tetherBluetoothStatusKnown);
assertFalse(interfaceDetails1.isBluetoothTethered);
assertFalse(boolean0);
assertFalse(interfaceDetails1.isRoaming);
assertFalse(interfaceDetails1.tetherUsbStatusKnown);
assertFalse(interfaceDetails1.isUsbTethered);
assertEquals((-1), interfaceDetails1.netType);
assertFalse(interfaceDetails1.isWifiTethered);
assertFalse(interfaceDetails1.tetherWifiStatusKnown);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
InterfaceDetails interfaceDetails0 = new InterfaceDetails();
InterfaceDetails interfaceDetails1 = new InterfaceDetails();
assertFalse(interfaceDetails1.isBluetoothTethered);
interfaceDetails1.isBluetoothTethered = true;
boolean boolean0 = interfaceDetails1.equals(interfaceDetails0);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
InterfaceDetails interfaceDetails0 = new InterfaceDetails();
InterfaceDetails interfaceDetails1 = new InterfaceDetails();
assertFalse(interfaceDetails1.tetherWifiStatusKnown);
interfaceDetails1.tetherWifiStatusKnown = true;
boolean boolean0 = interfaceDetails0.equals(interfaceDetails1);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
InterfaceDetails interfaceDetails0 = new InterfaceDetails();
assertFalse(interfaceDetails0.isWifiTethered);
interfaceDetails0.isWifiTethered = true;
InterfaceDetails interfaceDetails1 = new InterfaceDetails();
boolean boolean0 = interfaceDetails1.equals(interfaceDetails0);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test8() throws Throwable {
InterfaceDetails interfaceDetails0 = new InterfaceDetails();
boolean boolean0 = interfaceDetails0.equals(interfaceDetails0);
assertFalse(interfaceDetails0.isWifiTethered);
assertFalse(interfaceDetails0.isUsbTethered);
assertFalse(interfaceDetails0.isRoaming);
assertFalse(interfaceDetails0.tetherUsbStatusKnown);
assertEquals((-1), interfaceDetails0.netType);
assertTrue(boolean0);
assertFalse(interfaceDetails0.tetherBluetoothStatusKnown);
assertFalse(interfaceDetails0.tetherWifiStatusKnown);
assertFalse(interfaceDetails0.isBluetoothTethered);
}
@Test(timeout = 4000)
public void test9() throws Throwable {
InterfaceDetails interfaceDetails0 = new InterfaceDetails();
assertFalse(interfaceDetails0.isRoaming);
interfaceDetails0.isRoaming = true;
InterfaceDetails interfaceDetails1 = new InterfaceDetails();
boolean boolean0 = interfaceDetails0.equals(interfaceDetails1);
assertFalse(boolean0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 06:55: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 InterfaceDetails_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "InterfaceDetails";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp5crvgzk4");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(InterfaceDetails_ESTest_scaffolding.class.getClassLoader() ,
"InterfaceDetails"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(InterfaceDetails_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"InterfaceDetails"
);
}
}
| 4,926 |
Resources | /*
* Copyright (c) 2004 Roland Küstermann. All Rights Reserved.
*/
import java.util.Locale;
import java.util.MissingResourceException;
import java.util.ResourceBundle;
/**
* Created by IntelliJ IDEA. User: roku Date: 20.10.2004 Time: 15:15:36 To change this template use
* File | Settings | File Templates.
*/
public class Resources {
private ResourceBundle bundle;
public Resources(String bundle) {
try {
this.bundle =
ResourceBundle.getBundle(
bundle, Locale.getDefault(), Thread.currentThread().getContextClassLoader());
if (bundle == null) {
this.bundle =
ResourceBundle.getBundle(
bundle, new Locale("en_EN"), Thread.currentThread().getContextClassLoader());
}
} catch (Exception e) {
this.bundle = ResourceBundle.getBundle(bundle, Locale.getDefault());
}
}
public String getResourceString(String name) {
try {
return bundle.getString(name);
} catch (MissingResourceException e) {
return name;
}
}
}
| .version 52 0
.class public super Resources
.super java/lang/Object
.field private bundle Ljava/util/ResourceBundle;
.method public <init> : (Ljava/lang/String;)V
.code stack 5 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
.catch java/lang/Exception from L4 to L48 using L51
L4: aload_0
L5: aload_1
L6: invokestatic Method java/util/Locale getDefault ()Ljava/util/Locale;
L9: invokestatic Method java/lang/Thread currentThread ()Ljava/lang/Thread;
L12: invokevirtual Method java/lang/Thread getContextClassLoader ()Ljava/lang/ClassLoader;
L15: invokestatic Method java/util/ResourceBundle getBundle (Ljava/lang/String;Ljava/util/Locale;Ljava/lang/ClassLoader;)Ljava/util/ResourceBundle;
L18: putfield Field Resources bundle Ljava/util/ResourceBundle;
L21: aload_1
L22: ifnonnull L48
L25: aload_0
L26: aload_1
L27: new java/util/Locale
L30: dup
L31: ldc 'en_EN'
L33: invokespecial Method java/util/Locale <init> (Ljava/lang/String;)V
L36: invokestatic Method java/lang/Thread currentThread ()Ljava/lang/Thread;
L39: invokevirtual Method java/lang/Thread getContextClassLoader ()Ljava/lang/ClassLoader;
L42: invokestatic Method java/util/ResourceBundle getBundle (Ljava/lang/String;Ljava/util/Locale;Ljava/lang/ClassLoader;)Ljava/util/ResourceBundle;
L45: putfield Field Resources bundle Ljava/util/ResourceBundle;
.stack full
locals Object Resources Object java/lang/String
stack
.end stack
L48: goto L63
.stack stack_1 Object java/lang/Exception
L51: astore_2
L52: aload_0
L53: aload_1
L54: invokestatic Method java/util/Locale getDefault ()Ljava/util/Locale;
L57: invokestatic Method java/util/ResourceBundle getBundle (Ljava/lang/String;Ljava/util/Locale;)Ljava/util/ResourceBundle;
L60: putfield Field Resources bundle Ljava/util/ResourceBundle;
.stack same
L63: return
L64:
.linenumbertable
L0 22
L4 24
L9 25
L15 24
L21 26
L25 27
L36 28
L42 27
L48 32
L51 30
L52 31
L63 33
.end linenumbertable
.end code
.end method
.method public getResourceString : (Ljava/lang/String;)Ljava/lang/String;
.code stack 2 locals 3
.catch java/util/MissingResourceException from L0 to L8 using L9
L0: aload_0
L1: getfield Field Resources bundle Ljava/util/ResourceBundle;
L4: aload_1
L5: invokevirtual Method java/util/ResourceBundle getString (Ljava/lang/String;)Ljava/lang/String;
L8: areturn
.stack stack_1 Object java/util/MissingResourceException
L9: astore_2
L10: aload_1
L11: areturn
L12:
.linenumbertable
L0 37
L9 38
L10 39
.end linenumbertable
.end code
.end method
.sourcefile 'Resources.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 03:44:00 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.util.MissingResourceException;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Resources_ESTest extends Resources_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Resources resources0 = null;
try {
resources0 = new Resources("K");
fail("Expecting exception: MissingResourceException");
} catch(MissingResourceException e) {
//
// Can't find bundle for base name K, locale en
//
verifyException("java.util.ResourceBundle", e);
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 03:44:00 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Resources_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Resources";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpmqlah3nq");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Resources_ESTest_scaffolding.class.getClassLoader() ,
"Resources"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Resources_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Resources"
);
}
}
| 4,927 |
FindException | /**
* Copyright (c) 2014 - 2022 Frank Appel All rights reserved. This program and the accompanying
* materials are made available under the terms of the Eclipse Public License v1.0 which accompanies
* this distribution, and is available at http://www.eclipse.org/legal/epl-v10.html
*
* <p>Contributors: Frank Appel - initial API and implementation
*/
public class FindException extends RuntimeException {
private static final long serialVersionUID = 1L;
public FindException(String message) {
super(message);
}
}
| .version 52 0
.class public super FindException
.super java/lang/RuntimeException
.field private static final serialVersionUID J = 1L
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V
L5: return
L6:
.linenumbertable
L0 18
L5 19
.end linenumbertable
.end code
.end method
.sourcefile 'FindException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 18:24: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 FindException_ESTest extends FindException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
FindException findException0 = new FindException("");
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 18:24: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 FindException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "FindException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp199i6xjn");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(FindException_ESTest_scaffolding.class.getClassLoader() ,
"FindException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(FindException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"FindException"
);
}
}
| 4,928 |
Mule | public class Mule {
private int resource;
private int rate;
public Mule() {
rate = 0;
resource = 0;
}
public int getRate() {
return rate;
}
public int getResource() {
return resource;
}
public void outfit(int resource, int rate) {
this.rate = rate;
this.resource = resource;
}
public int[] produce() {
int[] ret = new int[2];
ret[0] = this.resource;
ret[1] = this.rate;
return ret;
}
}
| .version 52 0
.class public super Mule
.super java/lang/Object
.field private resource I
.field private rate I
.method public <init> : ()V
.code stack 2 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iconst_0
L6: putfield Field Mule rate I
L9: aload_0
L10: iconst_0
L11: putfield Field Mule resource I
L14: return
L15:
.linenumbertable
L0 7
L4 8
L9 9
L14 10
.end linenumbertable
.end code
.end method
.method public getRate : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Mule rate I
L4: ireturn
L5:
.linenumbertable
L0 13
.end linenumbertable
.end code
.end method
.method public getResource : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Mule resource I
L4: ireturn
L5:
.linenumbertable
L0 17
.end linenumbertable
.end code
.end method
.method public outfit : (II)V
.code stack 2 locals 3
L0: aload_0
L1: iload_2
L2: putfield Field Mule rate I
L5: aload_0
L6: iload_1
L7: putfield Field Mule resource I
L10: return
L11:
.linenumbertable
L0 21
L5 22
L10 23
.end linenumbertable
.end code
.end method
.method public produce : ()[I
.code stack 3 locals 2
L0: iconst_2
L1: newarray int
L3: astore_1
L4: aload_1
L5: iconst_0
L6: aload_0
L7: getfield Field Mule resource I
L10: iastore
L11: aload_1
L12: iconst_1
L13: aload_0
L14: getfield Field Mule rate I
L17: iastore
L18: aload_1
L19: areturn
L20:
.linenumbertable
L0 26
L4 27
L11 28
L18 29
.end linenumbertable
.end code
.end method
.sourcefile 'Mule.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 14:57:43 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Mule_ESTest extends Mule_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Mule mule0 = new Mule();
mule0.outfit(27373, 37916);
int int0 = mule0.getResource();
assertEquals(37916, mule0.getRate());
assertEquals(27373, int0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Mule mule0 = new Mule();
mule0.outfit((-45189), 78784);
int int0 = mule0.getResource();
assertEquals(78784, mule0.getRate());
assertEquals((-45189), int0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Mule mule0 = new Mule();
mule0.outfit((-23969), (-23969));
int int0 = mule0.getRate();
assertEquals((-23969), mule0.getResource());
assertEquals((-23969), int0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Mule mule0 = new Mule();
int int0 = mule0.getResource();
assertEquals(0, int0);
assertEquals(0, mule0.getRate());
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Mule mule0 = new Mule();
int[] intArray0 = mule0.produce();
assertArrayEquals(new int[] {0, 0}, intArray0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Mule mule0 = new Mule();
mule0.outfit(27373, 37916);
int int0 = mule0.getRate();
assertEquals(37916, int0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
Mule mule0 = new Mule();
int int0 = mule0.getRate();
assertEquals(0, int0);
assertEquals(0, mule0.getResource());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 14:57: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 Mule_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Mule";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpgsrnvi3h");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Mule_ESTest_scaffolding.class.getClassLoader() ,
"Mule"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Mule_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Mule"
);
}
}
| 4,929 |
Has271 | /** created by Maxim Orlov on 18 Nov 2014 */
public class Has271 {
public boolean has271(int[] nums) {
for (int i = 0; i < nums.length - 2; i++) {
if (nums[i] + 5 == nums[i + 1] && Math.abs(nums[i] - 1 - nums[i + 2]) <= 2) {
return true;
}
}
return false;
}
}
| .version 52 0
.class public super Has271
.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 has271 : ([I)Z
.code stack 4 locals 3
L0: iconst_0
L1: istore_2
.stack append Integer
L2: iload_2
L3: aload_1
L4: arraylength
L5: iconst_2
L6: isub
L7: if_icmpge L49
L10: aload_1
L11: iload_2
L12: iaload
L13: iconst_5
L14: iadd
L15: aload_1
L16: iload_2
L17: iconst_1
L18: iadd
L19: iaload
L20: if_icmpne L43
L23: aload_1
L24: iload_2
L25: iaload
L26: iconst_1
L27: isub
L28: aload_1
L29: iload_2
L30: iconst_2
L31: iadd
L32: iaload
L33: isub
L34: invokestatic Method java/lang/Math abs (I)I
L37: iconst_2
L38: if_icmpgt L43
L41: iconst_1
L42: ireturn
.stack same
L43: iinc 2 1
L46: goto L2
.stack chop 1
L49: iconst_0
L50: ireturn
L51:
.linenumbertable
L0 8
L10 9
L34 10
L41 11
L43 8
L49 15
.end linenumbertable
.end code
.end method
.sourcefile 'Has271.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 18:02:53 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Has271_ESTest extends Has271_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Has271 has271_0 = new Has271();
int[] intArray0 = new int[1];
boolean boolean0 = has271_0.has271(intArray0);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Has271 has271_0 = new Has271();
int[] intArray0 = new int[9];
intArray0[1] = 5;
intArray0[2] = 5864;
boolean boolean0 = has271_0.has271(intArray0);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Has271 has271_0 = new Has271();
int[] intArray0 = new int[9];
intArray0[1] = 5;
boolean boolean0 = has271_0.has271(intArray0);
assertTrue(boolean0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 18:02:53 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Has271_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Has271";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpqrl42vav");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Has271_ESTest_scaffolding.class.getClassLoader() ,
"Has271"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Has271_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Has271"
);
}
}
| 4,930 |
NumberFormat | /** Created by Consoar on 2015/3/26. */
public class NumberFormat {
static String[] units = {"", "十", "百", "千", "万", "十万", "百万", "千万", "亿", "十亿", "百亿", "千亿", "万亿"};
static char[] numArray = {'零', '一', '二', '三', '四', '五', '六', '七', '八', '九'};
public static String formatInteger(int num) {
char[] val = String.valueOf(num).toCharArray();
int len = val.length;
StringBuilder sb = new StringBuilder();
for (int i = 0; i < len; i++) {
String m = val[i] + "";
int n = Integer.valueOf(m);
boolean isZero = n == 0;
String unit = units[(len - 1) - i];
if (isZero) {
if ('0' == val[i - 1]) {
// not need process if the last digital bits is 0
continue;
} else {
// no unit for 0
sb.append(numArray[n]);
}
} else {
sb.append(numArray[n]);
sb.append(unit);
}
}
return sb.toString();
}
private static String formatDecimal(double decimal) {
String decimals = String.valueOf(decimal);
int decIndex = decimals.indexOf(".");
int integ = Integer.valueOf(decimals.substring(0, decIndex));
int dec = Integer.valueOf(decimals.substring(decIndex + 1));
String result = formatInteger(integ) + "." + formatFractionalPart(dec);
return result;
}
private static String formatFractionalPart(int decimal) {
char[] val = String.valueOf(decimal).toCharArray();
int len = val.length;
StringBuilder sb = new StringBuilder();
for (int i = 0; i < len; i++) {
int n = Integer.valueOf(val[i] + "");
sb.append(numArray[n]);
}
return sb.toString();
}
}
| .version 52 0
.class public super NumberFormat
.super java/lang/Object
.field static units [Ljava/lang/String;
.field static numArray [C
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 6
.end linenumbertable
.end code
.end method
.method public static formatInteger : (I)Ljava/lang/String;
.code stack 4 locals 9
L0: iload_0
L1: invokestatic Method java/lang/String valueOf (I)Ljava/lang/String;
L4: invokevirtual Method java/lang/String toCharArray ()[C
L7: astore_1
L8: aload_1
L9: arraylength
L10: istore_2
L11: new java/lang/StringBuilder
L14: dup
L15: invokespecial Method java/lang/StringBuilder <init> ()V
L18: astore_3
L19: iconst_0
L20: istore 4
.stack full
locals Integer Object [C Integer Object java/lang/StringBuilder Integer
stack
.end stack
L22: iload 4
L24: iload_2
L25: if_icmpge L143
L28: new java/lang/StringBuilder
L31: dup
L32: invokespecial Method java/lang/StringBuilder <init> ()V
L35: aload_1
L36: iload 4
L38: caload
L39: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L42: ldc ''
L44: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L47: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L50: astore 5
L52: aload 5
L54: invokestatic Method java/lang/Integer valueOf (Ljava/lang/String;)Ljava/lang/Integer;
L57: invokevirtual Method java/lang/Integer intValue ()I
L60: istore 6
L62: iload 6
L64: ifne L71
L67: iconst_1
L68: goto L72
.stack append Object java/lang/String Integer
L71: iconst_0
.stack stack_1 Integer
L72: istore 7
L74: getstatic Field NumberFormat units [Ljava/lang/String;
L77: iload_2
L78: iconst_1
L79: isub
L80: iload 4
L82: isub
L83: aaload
L84: astore 8
L86: iload 7
L88: ifeq L119
L91: bipush 48
L93: aload_1
L94: iload 4
L96: iconst_1
L97: isub
L98: caload
L99: if_icmpne L105
L102: goto L137
.stack append Integer Object java/lang/String
L105: aload_3
L106: getstatic Field NumberFormat numArray [C
L109: iload 6
L111: caload
L112: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L115: pop
L116: goto L137
.stack same
L119: aload_3
L120: getstatic Field NumberFormat numArray [C
L123: iload 6
L125: caload
L126: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L129: pop
L130: aload_3
L131: aload 8
L133: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L136: pop
.stack full
locals Integer Object [C Integer Object java/lang/StringBuilder Integer
stack
.end stack
L137: iinc 4 1
L140: goto L22
.stack chop 1
L143: aload_3
L144: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L147: areturn
L148:
.linenumbertable
L0 12
L8 13
L11 14
L19 15
L28 16
L52 17
L62 18
L74 19
L86 20
L91 21
L102 23
L105 26
L119 29
L130 30
L137 15
L143 33
.end linenumbertable
.end code
.end method
.method private static formatDecimal : (D)Ljava/lang/String;
.code stack 3 locals 7
L0: dload_0
L1: invokestatic Method java/lang/String valueOf (D)Ljava/lang/String;
L4: astore_2
L5: aload_2
L6: ldc '.'
L8: invokevirtual Method java/lang/String indexOf (Ljava/lang/String;)I
L11: istore_3
L12: aload_2
L13: iconst_0
L14: iload_3
L15: invokevirtual Method java/lang/String substring (II)Ljava/lang/String;
L18: invokestatic Method java/lang/Integer valueOf (Ljava/lang/String;)Ljava/lang/Integer;
L21: invokevirtual Method java/lang/Integer intValue ()I
L24: istore 4
L26: aload_2
L27: iload_3
L28: iconst_1
L29: iadd
L30: invokevirtual Method java/lang/String substring (I)Ljava/lang/String;
L33: invokestatic Method java/lang/Integer valueOf (Ljava/lang/String;)Ljava/lang/Integer;
L36: invokevirtual Method java/lang/Integer intValue ()I
L39: istore 5
L41: new java/lang/StringBuilder
L44: dup
L45: invokespecial Method java/lang/StringBuilder <init> ()V
L48: iload 4
L50: invokestatic Method NumberFormat formatInteger (I)Ljava/lang/String;
L53: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L56: ldc '.'
L58: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L61: iload 5
L63: invokestatic Method NumberFormat formatFractionalPart (I)Ljava/lang/String;
L66: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L69: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L72: astore 6
L74: aload 6
L76: areturn
L77:
.linenumbertable
L0 38
L5 39
L12 40
L26 41
L41 42
L74 43
.end linenumbertable
.end code
.end method
.method private static formatFractionalPart : (I)Ljava/lang/String;
.code stack 3 locals 6
L0: iload_0
L1: invokestatic Method java/lang/String valueOf (I)Ljava/lang/String;
L4: invokevirtual Method java/lang/String toCharArray ()[C
L7: astore_1
L8: aload_1
L9: arraylength
L10: istore_2
L11: new java/lang/StringBuilder
L14: dup
L15: invokespecial Method java/lang/StringBuilder <init> ()V
L18: astore_3
L19: iconst_0
L20: istore 4
.stack full
locals Integer Object [C Integer Object java/lang/StringBuilder Integer
stack
.end stack
L22: iload 4
L24: iload_2
L25: if_icmpge L75
L28: new java/lang/StringBuilder
L31: dup
L32: invokespecial Method java/lang/StringBuilder <init> ()V
L35: aload_1
L36: iload 4
L38: caload
L39: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L42: ldc ''
L44: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L47: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L50: invokestatic Method java/lang/Integer valueOf (Ljava/lang/String;)Ljava/lang/Integer;
L53: invokevirtual Method java/lang/Integer intValue ()I
L56: istore 5
L58: aload_3
L59: getstatic Field NumberFormat numArray [C
L62: iload 5
L64: caload
L65: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L68: pop
L69: iinc 4 1
L72: goto L22
.stack chop 1
L75: aload_3
L76: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L79: areturn
L80:
.linenumbertable
L0 48
L8 49
L11 50
L19 51
L28 52
L58 53
L69 51
L75 55
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 4 locals 0
L0: bipush 13
L2: anewarray java/lang/String
L5: dup
L6: iconst_0
L7: ldc ''
L9: aastore
L10: dup
L11: iconst_1
L12: ldc '十'
L14: aastore
L15: dup
L16: iconst_2
L17: ldc '百'
L19: aastore
L20: dup
L21: iconst_3
L22: ldc '千'
L24: aastore
L25: dup
L26: iconst_4
L27: ldc '万'
L29: aastore
L30: dup
L31: iconst_5
L32: ldc '十万'
L34: aastore
L35: dup
L36: bipush 6
L38: ldc '百万'
L40: aastore
L41: dup
L42: bipush 7
L44: ldc '千万'
L46: aastore
L47: dup
L48: bipush 8
L50: ldc '亿'
L52: aastore
L53: dup
L54: bipush 9
L56: ldc '十亿'
L58: aastore
L59: dup
L60: bipush 10
L62: ldc '百亿'
L64: aastore
L65: dup
L66: bipush 11
L68: ldc '千亿'
L70: aastore
L71: dup
L72: bipush 12
L74: ldc '万亿'
L76: aastore
L77: putstatic Field NumberFormat units [Ljava/lang/String;
L80: bipush 10
L82: newarray char
L84: dup
L85: iconst_0
L86: ldc 38646
L88: castore
L89: dup
L90: iconst_1
L91: sipush 19968
L94: castore
L95: dup
L96: iconst_2
L97: sipush 20108
L100: castore
L101: dup
L102: iconst_3
L103: sipush 19977
L106: castore
L107: dup
L108: iconst_4
L109: sipush 22235
L112: castore
L113: dup
L114: iconst_5
L115: sipush 20116
L118: castore
L119: dup
L120: bipush 6
L122: sipush 20845
L125: castore
L126: dup
L127: bipush 7
L129: sipush 19971
L132: castore
L133: dup
L134: bipush 8
L136: sipush 20843
L139: castore
L140: dup
L141: bipush 9
L143: sipush 20061
L146: castore
L147: putstatic Field NumberFormat numArray [C
L150: return
L151:
.linenumbertable
L0 7
L80 9
.end linenumbertable
.end code
.end method
.sourcefile 'NumberFormat.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 16: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 NumberFormat_ESTest extends NumberFormat_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String string0 = NumberFormat.formatInteger(40407);
assertEquals("\u56DB\u4E07\u96F6\u56DB\u767E\u96F6\u4E03", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
NumberFormat numberFormat0 = new NumberFormat();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 16: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 NumberFormat_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "NumberFormat";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp6p0g10ch");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(NumberFormat_ESTest_scaffolding.class.getClassLoader() ,
"NumberFormat"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(NumberFormat_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"NumberFormat"
);
}
}
| 4,931 |
Solution | class Solution {
public int firstMissingPositive(int[] nums) {
if (nums == null || nums.length < 1) return 1;
int i = 0;
while (i < nums.length) {
if (nums[i] == i + 1 || nums[i] <= 0 || nums[i] > nums.length) i++;
else if (nums[nums[i] - 1] != nums[i]) swap(nums, i, nums[i] - 1);
else i++;
}
i = 0;
while (i < nums.length && nums[i] == i + 1) {
i++;
}
return i + 1;
}
private void swap(int[] nums, int i, int j) {
int temp = nums[i];
nums[i] = nums[j];
nums[j] = temp;
}
public static void main(String[] args) {
int[] nums1 = {1, 2, 0};
int[] nums2 = {3, 4, -1, 1};
Solution solution = new Solution();
System.out.println(solution.firstMissingPositive(nums1));
System.out.println(solution.firstMissingPositive(nums2));
}
}
| .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 1
.end linenumbertable
.end code
.end method
.method public firstMissingPositive : ([I)I
.code stack 5 locals 3
L0: aload_1
L1: ifnull L10
L4: aload_1
L5: arraylength
L6: iconst_1
L7: if_icmpge L12
.stack same
L10: iconst_1
L11: ireturn
.stack same
L12: iconst_0
L13: istore_2
.stack append Integer
L14: iload_2
L15: aload_1
L16: arraylength
L17: if_icmpge L82
L20: aload_1
L21: iload_2
L22: iaload
L23: iload_2
L24: iconst_1
L25: iadd
L26: if_icmpeq L43
L29: aload_1
L30: iload_2
L31: iaload
L32: ifle L43
L35: aload_1
L36: iload_2
L37: iaload
L38: aload_1
L39: arraylength
L40: if_icmple L49
.stack same
L43: iinc 2 1
L46: goto L14
.stack same
L49: aload_1
L50: aload_1
L51: iload_2
L52: iaload
L53: iconst_1
L54: isub
L55: iaload
L56: aload_1
L57: iload_2
L58: iaload
L59: if_icmpeq L76
L62: aload_0
L63: aload_1
L64: iload_2
L65: aload_1
L66: iload_2
L67: iaload
L68: iconst_1
L69: isub
L70: invokespecial Method Solution swap ([III)V
L73: goto L14
.stack same
L76: iinc 2 1
L79: goto L14
.stack same
L82: iconst_0
L83: istore_2
.stack same
L84: iload_2
L85: aload_1
L86: arraylength
L87: if_icmpge L105
L90: aload_1
L91: iload_2
L92: iaload
L93: iload_2
L94: iconst_1
L95: iadd
L96: if_icmpne L105
L99: iinc 2 1
L102: goto L84
.stack same
L105: iload_2
L106: iconst_1
L107: iadd
L108: ireturn
L109:
.linenumbertable
L0 3
L10 4
L12 5
L14 6
L20 7
L43 8
L49 9
L62 10
L76 12
L82 14
L84 15
L99 16
L105 18
.end linenumbertable
.end code
.end method
.method private swap : ([III)V
.code stack 4 locals 5
L0: aload_1
L1: iload_2
L2: iaload
L3: istore 4
L5: aload_1
L6: iload_2
L7: aload_1
L8: iload_3
L9: iaload
L10: iastore
L11: aload_1
L12: iload_3
L13: iload 4
L15: iastore
L16: return
L17:
.linenumbertable
L0 22
L5 23
L11 24
L16 25
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 4 locals 4
L0: iconst_3
L1: newarray int
L3: dup
L4: iconst_0
L5: iconst_1
L6: iastore
L7: dup
L8: iconst_1
L9: iconst_2
L10: iastore
L11: dup
L12: iconst_2
L13: iconst_0
L14: iastore
L15: astore_1
L16: iconst_4
L17: newarray int
L19: dup
L20: iconst_0
L21: iconst_3
L22: iastore
L23: dup
L24: iconst_1
L25: iconst_4
L26: iastore
L27: dup
L28: iconst_2
L29: iconst_m1
L30: iastore
L31: dup
L32: iconst_3
L33: iconst_1
L34: iastore
L35: astore_2
L36: new Solution
L39: dup
L40: invokespecial Method Solution <init> ()V
L43: astore_3
L44: getstatic Field java/lang/System out Ljava/io/PrintStream;
L47: aload_3
L48: aload_1
L49: invokevirtual Method Solution firstMissingPositive ([I)I
L52: invokevirtual Method java/io/PrintStream println (I)V
L55: getstatic Field java/lang/System out Ljava/io/PrintStream;
L58: aload_3
L59: aload_2
L60: invokevirtual Method Solution firstMissingPositive ([I)I
L63: invokevirtual Method java/io/PrintStream println (I)V
L66: return
L67:
.linenumbertable
L0 28
L16 29
L36 31
L44 32
L55 33
L66 34
.end linenumbertable
.end code
.end method
.sourcefile 'Solution.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 18:07:33 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Solution_ESTest extends Solution_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[3];
stringArray0[0] = "";
stringArray0[1] = "";
stringArray0[2] = "";
Solution.main(stringArray0);
Solution solution0 = new Solution();
int[] intArray0 = new int[4];
intArray0[0] = (-27216);
intArray0[1] = (-7852);
intArray0[2] = 44913;
intArray0[3] = 0;
solution0.firstMissingPositive(intArray0);
int int0 = solution0.firstMissingPositive(intArray0);
assertEquals(1, int0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
String[] stringArray0 = new String[0];
Solution.main(stringArray0);
Solution solution0 = new Solution();
Solution.main(stringArray0);
Solution.main(stringArray0);
int[] intArray0 = new int[2];
intArray0[0] = (-36417);
Solution.main(stringArray0);
intArray0[1] = 10921;
solution0.firstMissingPositive(intArray0);
Solution.main(stringArray0);
Solution.main(stringArray0);
String[] stringArray1 = new String[3];
stringArray1[0] = "3wv06Q";
stringArray1[1] = "<[+6q|rq";
Solution.main(stringArray0);
Solution.main(stringArray1);
stringArray1[2] = "";
Solution.main(stringArray0);
Solution.main(stringArray1);
Solution.main(stringArray1);
solution0.firstMissingPositive(intArray0);
Solution.main(stringArray1);
solution0.firstMissingPositive(intArray0);
Solution.main(stringArray0);
Solution.main(stringArray1);
Solution.main(stringArray1);
solution0.firstMissingPositive(intArray0);
Solution.main((String[]) null);
String[] stringArray2 = new String[5];
stringArray2[0] = "<[+6q|rq";
stringArray2[1] = "3wv06Q";
stringArray2[2] = "<[+6q|rq";
stringArray2[3] = "";
stringArray2[4] = "";
Solution.main(stringArray2);
assertFalse(stringArray2.equals((Object)stringArray1));
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Solution solution0 = new Solution();
int[] intArray0 = new int[8];
intArray0[0] = 0;
String[] stringArray0 = new String[5];
stringArray0[0] = "";
stringArray0[1] = "";
stringArray0[2] = "8?";
stringArray0[3] = "Solution";
stringArray0[4] = "0LmT0";
Solution.main(stringArray0);
intArray0[1] = 3;
intArray0[2] = 0;
intArray0[3] = 0;
intArray0[4] = 1;
intArray0[5] = 18863;
intArray0[6] = 0;
intArray0[7] = 4;
solution0.firstMissingPositive(intArray0);
Solution.main(stringArray0);
solution0.firstMissingPositive(intArray0);
assertArrayEquals(new int[] {1, 0, 3, 4, 0, 18863, 0, 0}, intArray0);
int[] intArray1 = new int[7];
intArray1[0] = 0;
intArray1[1] = 3;
intArray1[2] = 4;
intArray1[3] = 2;
intArray1[4] = 0;
intArray1[5] = 2;
intArray1[6] = 1;
int int0 = solution0.firstMissingPositive(intArray1);
assertEquals(5, int0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Solution solution0 = new Solution();
String[] stringArray0 = new String[7];
stringArray0[0] = "2e ]'A.<V\bsG]^8CzJ";
stringArray0[1] = "";
stringArray0[2] = "jv0LbV";
stringArray0[3] = "c0";
stringArray0[4] = "7,&,T-H$AG";
stringArray0[5] = "";
stringArray0[6] = "";
Solution.main(stringArray0);
assertEquals(7, stringArray0.length);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 18:07:33 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Solution_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Solution";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp046d7pwz");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.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"
);
}
}
| 4,932 |
DurationPoint | /*
* 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.
*
*/
/**
* @author peng-yongsheng
*/
public class DurationPoint {
private long point;
private long secondsBetween;
public DurationPoint(long point, long secondsBetween) {
this.point = point;
this.secondsBetween = secondsBetween;
}
public long getPoint() {
return point;
}
public long getSecondsBetween() {
return secondsBetween;
}
}
| .version 52 0
.class public super DurationPoint
.super java/lang/Object
.field private point J
.field private secondsBetween J
.method public <init> : (JJ)V
.code stack 3 locals 5
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: lload_1
L6: putfield Field DurationPoint point J
L9: aload_0
L10: lload_3
L11: putfield Field DurationPoint secondsBetween J
L14: return
L15:
.linenumbertable
L0 28
L4 29
L9 30
L14 31
.end linenumbertable
.end code
.end method
.method public getPoint : ()J
.code stack 2 locals 1
L0: aload_0
L1: getfield Field DurationPoint point J
L4: lreturn
L5:
.linenumbertable
L0 34
.end linenumbertable
.end code
.end method
.method public getSecondsBetween : ()J
.code stack 2 locals 1
L0: aload_0
L1: getfield Field DurationPoint secondsBetween J
L4: lreturn
L5:
.linenumbertable
L0 38
.end linenumbertable
.end code
.end method
.sourcefile 'DurationPoint.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 03:20: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 DurationPoint_ESTest extends DurationPoint_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
DurationPoint durationPoint0 = new DurationPoint(0L, 0L);
long long0 = durationPoint0.getSecondsBetween();
assertEquals(0L, long0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
DurationPoint durationPoint0 = new DurationPoint(77714L, 77714L);
long long0 = durationPoint0.getSecondsBetween();
assertEquals(77714L, durationPoint0.getPoint());
assertEquals(77714L, long0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
DurationPoint durationPoint0 = new DurationPoint(0L, 0L);
long long0 = durationPoint0.getPoint();
assertEquals(0L, long0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
DurationPoint durationPoint0 = new DurationPoint(21674L, 21674L);
long long0 = durationPoint0.getPoint();
assertEquals(21674L, durationPoint0.getSecondsBetween());
assertEquals(21674L, long0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
DurationPoint durationPoint0 = new DurationPoint((-10956L), (-10956L));
long long0 = durationPoint0.getSecondsBetween();
assertEquals((-10956L), durationPoint0.getPoint());
assertEquals((-10956L), long0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
DurationPoint durationPoint0 = new DurationPoint((-10956L), (-10956L));
long long0 = durationPoint0.getPoint();
assertEquals((-10956L), durationPoint0.getSecondsBetween());
assertEquals((-10956L), long0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 03:20: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 DurationPoint_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "DurationPoint";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp49ndbha6");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DurationPoint_ESTest_scaffolding.class.getClassLoader() ,
"DurationPoint"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DurationPoint_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"DurationPoint"
);
}
}
| 4,933 |
BatchOfIds | /** Result of generating a range of IDs. */
public class BatchOfIds {
/** The first ID in the range (inclusive). */
Long firstId;
/** The last ID in the range (inclusive). */
Long lastId;
/**
* @param firstId The first ID in the range (inclusive).
* @param lastId The last ID in the range (inclusive).
*/
public BatchOfIds(Long firstId, Long lastId) {
super();
this.firstId = firstId;
this.lastId = lastId;
}
/**
* The first ID in the range (inclusive).
*
* @return
*/
public Long getFirstId() {
return firstId;
}
/**
* The last ID in the range (inclusive).
*
* @return
*/
public Long getLastId() {
return lastId;
}
}
| .version 52 0
.class public super BatchOfIds
.super java/lang/Object
.field firstId Ljava/lang/Long;
.field lastId Ljava/lang/Long;
.method public <init> : (Ljava/lang/Long;Ljava/lang/Long;)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 BatchOfIds firstId Ljava/lang/Long;
L9: aload_0
L10: aload_2
L11: putfield Field BatchOfIds lastId Ljava/lang/Long;
L14: return
L15:
.linenumbertable
L0 24
L4 25
L9 26
L14 27
.end linenumbertable
.end code
.end method
.method public getFirstId : ()Ljava/lang/Long;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BatchOfIds firstId Ljava/lang/Long;
L4: areturn
L5:
.linenumbertable
L0 34
.end linenumbertable
.end code
.end method
.method public getLastId : ()Ljava/lang/Long;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BatchOfIds lastId Ljava/lang/Long;
L4: areturn
L5:
.linenumbertable
L0 42
.end linenumbertable
.end code
.end method
.sourcefile 'BatchOfIds.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 15:33: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 BatchOfIds_ESTest extends BatchOfIds_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
BatchOfIds batchOfIds0 = new BatchOfIds((Long) null, (Long) null);
Long long0 = batchOfIds0.getLastId();
assertNull(long0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Long long0 = new Long((-394L));
BatchOfIds batchOfIds0 = new BatchOfIds(long0, long0);
Long long1 = batchOfIds0.getLastId();
assertEquals((-394L), (long)long1);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Long long0 = new Long(0L);
BatchOfIds batchOfIds0 = new BatchOfIds(long0, long0);
Long long1 = batchOfIds0.getLastId();
assertEquals(0L, (long)long1);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Long long0 = new Long(2242L);
BatchOfIds batchOfIds0 = new BatchOfIds(long0, long0);
Long long1 = batchOfIds0.getLastId();
assertEquals(2242L, (long)long1);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
BatchOfIds batchOfIds0 = new BatchOfIds((Long) null, (Long) null);
Long long0 = batchOfIds0.getFirstId();
assertNull(long0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Long long0 = new Long((-87705L));
BatchOfIds batchOfIds0 = new BatchOfIds(long0, long0);
Long long1 = batchOfIds0.getFirstId();
assertEquals((-87705L), (long)long1);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
Long long0 = new Long(0L);
BatchOfIds batchOfIds0 = new BatchOfIds(long0, long0);
Long long1 = batchOfIds0.getFirstId();
assertEquals(0L, (long)long1);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
Long long0 = new Long(2242L);
BatchOfIds batchOfIds0 = new BatchOfIds(long0, long0);
Long long1 = batchOfIds0.getFirstId();
assertEquals(2242L, (long)long1);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 15:33: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 BatchOfIds_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "BatchOfIds";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpmvo173ad");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BatchOfIds_ESTest_scaffolding.class.getClassLoader() ,
"BatchOfIds"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BatchOfIds_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"BatchOfIds"
);
}
}
| 4,934 |
TimeTool | import java.text.SimpleDateFormat;
import java.util.Date;
public class TimeTool {
/** 获取当前时间 @格式 yyyy-MM-dd HH:mm:ss */
public static String getCurrentTime() {
String time = getCurrentTime("yyyy-MM-dd HH:mm:ss");
return time;
}
/**
* 根据指定格式获取当前时间
*
* @param pattern 格式,如:yyyy-MM-dd HH:mm:ss
* @return
*/
public static String getCurrentTime(String pattern) {
SimpleDateFormat dateFormat = new SimpleDateFormat(pattern);
return dateFormat.format(new Date());
}
public static boolean isBefore(String time1, String time2) {
return !(isBigger(time1, time2));
}
public static boolean isAfter(String time1, String time2) {
return isBigger(time1, time2);
}
private static boolean isBigger(String time1, String time2) {
boolean flag = false;
java.text.DateFormat df = new java.text.SimpleDateFormat("yyyy-MM-dd HH:mm:ss");
java.util.Calendar c1 = java.util.Calendar.getInstance();
java.util.Calendar c2 = java.util.Calendar.getInstance();
try {
c1.setTime(df.parse(time1));
c2.setTime(df.parse(time2));
} catch (java.text.ParseException e) {
System.err.println("格式不正确");
flag = false;
}
int result = c1.compareTo(c2);
if (result == 0) {
System.out.println("相等");
flag = true;
} else if (result < 0) {
System.out.println("小于");
flag = false;
} else {
System.out.println("大于");
flag = true;
}
return flag;
}
}
| .version 52 0
.class public super TimeTool
.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 getCurrentTime : ()Ljava/lang/String;
.code stack 1 locals 1
L0: ldc 'yyyy-MM-dd HH:mm:ss'
L2: invokestatic Method TimeTool getCurrentTime (Ljava/lang/String;)Ljava/lang/String;
L5: astore_0
L6: aload_0
L7: areturn
L8:
.linenumbertable
L0 14
L6 15
.end linenumbertable
.end code
.end method
.method public static getCurrentTime : (Ljava/lang/String;)Ljava/lang/String;
.code stack 3 locals 2
L0: new java/text/SimpleDateFormat
L3: dup
L4: aload_0
L5: invokespecial Method java/text/SimpleDateFormat <init> (Ljava/lang/String;)V
L8: astore_1
L9: aload_1
L10: new java/util/Date
L13: dup
L14: invokespecial Method java/util/Date <init> ()V
L17: invokevirtual Method java/text/SimpleDateFormat format (Ljava/util/Date;)Ljava/lang/String;
L20: areturn
L21:
.linenumbertable
L0 26
L9 27
.end linenumbertable
.end code
.end method
.method public static isBefore : (Ljava/lang/String;Ljava/lang/String;)Z
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokestatic Method TimeTool isBigger (Ljava/lang/String;Ljava/lang/String;)Z
L5: ifne L12
L8: iconst_1
L9: goto L13
.stack same
L12: iconst_0
.stack stack_1 Integer
L13: ireturn
L14:
.linenumbertable
L0 31
.end linenumbertable
.end code
.end method
.method public static isAfter : (Ljava/lang/String;Ljava/lang/String;)Z
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokestatic Method TimeTool isBigger (Ljava/lang/String;Ljava/lang/String;)Z
L5: ireturn
L6:
.linenumbertable
L0 35
.end linenumbertable
.end code
.end method
.method private static isBigger : (Ljava/lang/String;Ljava/lang/String;)Z
.code stack 3 locals 7
L0: iconst_0
L1: istore_2
L2: new java/text/SimpleDateFormat
L5: dup
L6: ldc 'yyyy-MM-dd HH:mm:ss'
L8: invokespecial Method java/text/SimpleDateFormat <init> (Ljava/lang/String;)V
L11: astore_3
L12: invokestatic Method java/util/Calendar getInstance ()Ljava/util/Calendar;
L15: astore 4
L17: invokestatic Method java/util/Calendar getInstance ()Ljava/util/Calendar;
L20: astore 5
.catch java/text/ParseException from L22 to L42 using L45
L22: aload 4
L24: aload_3
L25: aload_0
L26: invokevirtual Method java/text/DateFormat parse (Ljava/lang/String;)Ljava/util/Date;
L29: invokevirtual Method java/util/Calendar setTime (Ljava/util/Date;)V
L32: aload 5
L34: aload_3
L35: aload_1
L36: invokevirtual Method java/text/DateFormat parse (Ljava/lang/String;)Ljava/util/Date;
L39: invokevirtual Method java/util/Calendar setTime (Ljava/util/Date;)V
L42: goto L57
.stack full
locals Object java/lang/String Object java/lang/String Integer Object java/text/DateFormat Object java/util/Calendar Object java/util/Calendar
stack Object java/text/ParseException
.end stack
L45: astore 6
L47: getstatic Field java/lang/System err Ljava/io/PrintStream;
L50: ldc '格式不正确'
L52: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L55: iconst_0
L56: istore_2
.stack same
L57: aload 4
L59: aload 5
L61: invokevirtual Method java/util/Calendar compareTo (Ljava/util/Calendar;)I
L64: istore 6
L66: iload 6
L68: ifne L84
L71: getstatic Field java/lang/System out Ljava/io/PrintStream;
L74: ldc '相等'
L76: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L79: iconst_1
L80: istore_2
L81: goto L112
.stack append Integer
L84: iload 6
L86: ifge L102
L89: getstatic Field java/lang/System out Ljava/io/PrintStream;
L92: ldc '小于'
L94: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L97: iconst_0
L98: istore_2
L99: goto L112
.stack same
L102: getstatic Field java/lang/System out Ljava/io/PrintStream;
L105: ldc '大于'
L107: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L110: iconst_1
L111: istore_2
.stack same
L112: iload_2
L113: ireturn
L114:
.linenumbertable
L0 40
L2 41
L12 43
L17 44
L22 46
L32 47
L42 51
L45 48
L47 49
L55 50
L57 52
L66 53
L71 54
L79 55
L84 56
L89 57
L97 58
L102 60
L110 61
L112 64
.end linenumbertable
.end code
.end method
.sourcefile 'TimeTool.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 08:04: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 TimeTool_ESTest extends TimeTool_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String string0 = TimeTool.getCurrentTime("");
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
boolean boolean0 = TimeTool.isBefore("2014-02-14 20:21:21", "2014-02-14 20:21:21");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
String string0 = TimeTool.getCurrentTime();
assertEquals("2014-02-14 20:21:21", string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
TimeTool timeTool0 = new TimeTool();
}
@Test(timeout = 4000)
public void test4() throws Throwable {
String string0 = TimeTool.getCurrentTime("yyyy-MM-dd HH:mm:ss");
assertEquals("2014-02-14 20:21:21", string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
boolean boolean0 = TimeTool.isAfter("`{<_A5{M", "`{<_A5{M");
assertTrue(boolean0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 08:04: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 TimeTool_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "TimeTool";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp6cfzcs65");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TimeTool_ESTest_scaffolding.class.getClassLoader() ,
"TimeTool"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TimeTool_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"TimeTool"
);
}
}
| 4,935 |
Main | import java.io.IOException;
import java.util.*;
public class Main {
public static void main(String[] args) throws IOException {
// Enter your code here
// Compile in terminal:> javac main.java
// Execute in terminal:> java main
Scanner sc = new Scanner(System.in);
sc.useLocale(Locale.US);
int N, i;
N = sc.nextInt();
for (i = 1; i <= 10000; i++) if (i % N == 2) System.out.printf("%d\n", i);
}
}
| .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 4
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 6 locals 4
L0: new java/util/Scanner
L3: dup
L4: getstatic Field java/lang/System in Ljava/io/InputStream;
L7: invokespecial Method java/util/Scanner <init> (Ljava/io/InputStream;)V
L10: astore_1
L11: aload_1
L12: getstatic Field java/util/Locale US Ljava/util/Locale;
L15: invokevirtual Method java/util/Scanner useLocale (Ljava/util/Locale;)Ljava/util/Scanner;
L18: pop
L19: aload_1
L20: invokevirtual Method java/util/Scanner nextInt ()I
L23: istore_2
L24: iconst_1
L25: istore_3
.stack append Object java/util/Scanner Integer Integer
L26: iload_3
L27: sipush 10000
L30: if_icmpgt L66
L33: iload_3
L34: iload_2
L35: irem
L36: iconst_2
L37: if_icmpne L60
L40: getstatic Field java/lang/System out Ljava/io/PrintStream;
L43: ldc '%d\n'
L45: iconst_1
L46: anewarray java/lang/Object
L49: dup
L50: iconst_0
L51: iload_3
L52: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L55: aastore
L56: invokevirtual Method java/io/PrintStream printf (Ljava/lang/String;[Ljava/lang/Object;)Ljava/io/PrintStream;
L59: pop
.stack same
L60: iinc 3 1
L63: goto L26
.stack same
L66: return
L67:
.linenumbertable
L0 11
L11 12
L19 15
L24 16
L33 17
L60 16
L66 18
.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 22:52:49 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 Main_ESTest extends Main_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Main main0 = new Main();
}
@Test(timeout = 4000)
public void test1() throws Throwable {
// Undeclared exception!
try {
Main.main((String[]) null);
fail("Expecting exception: NoSuchElementException");
} catch(NoSuchElementException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("java.util.Scanner", e);
}
}
@Test(timeout = 4000)
public void test2() throws Throwable {
SystemInUtil.addInputLine("1");
String[] stringArray0 = new String[16];
// Undeclared exception!
Main.main(stringArray0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 22:52: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 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/tmp054zwzft");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.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"
);
}
}
| 4,936 |
ImpressaoQuadrado | public class ImpressaoQuadrado {
public static void main(String[] args) {
// TODO Auto-generated method stub
System.out.println("*********************");
System.out.println("* *");
System.out.println("* *");
System.out.println("* *");
System.out.println("* *");
System.out.println("* *");
System.out.println("* *");
System.out.println("* *");
System.out.println("*********************");
}
}
| .version 52 0
.class public super ImpressaoQuadrado
.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 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: getstatic Field java/lang/System out Ljava/io/PrintStream;
L11: ldc '* *'
L13: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L16: getstatic Field java/lang/System out Ljava/io/PrintStream;
L19: ldc '* *'
L21: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L24: getstatic Field java/lang/System out Ljava/io/PrintStream;
L27: ldc '* *'
L29: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L32: getstatic Field java/lang/System out Ljava/io/PrintStream;
L35: ldc '* *'
L37: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L40: getstatic Field java/lang/System out Ljava/io/PrintStream;
L43: ldc '* *'
L45: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L48: getstatic Field java/lang/System out Ljava/io/PrintStream;
L51: ldc '* *'
L53: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L56: getstatic Field java/lang/System out Ljava/io/PrintStream;
L59: ldc '* *'
L61: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L64: getstatic Field java/lang/System out Ljava/io/PrintStream;
L67: ldc '*********************'
L69: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L72: return
L73:
.linenumbertable
L0 7
L8 8
L16 9
L24 10
L32 11
L40 12
L48 13
L56 14
L64 15
L72 16
.end linenumbertable
.end code
.end method
.sourcefile 'ImpressaoQuadrado.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 11:41: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 ImpressaoQuadrado_ESTest extends ImpressaoQuadrado_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ImpressaoQuadrado impressaoQuadrado0 = new ImpressaoQuadrado();
}
@Test(timeout = 4000)
public void test1() throws Throwable {
String[] stringArray0 = new String[4];
ImpressaoQuadrado.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 11:41: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 ImpressaoQuadrado_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ImpressaoQuadrado";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp54f95erj");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ImpressaoQuadrado_ESTest_scaffolding.class.getClassLoader() ,
"ImpressaoQuadrado"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ImpressaoQuadrado_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ImpressaoQuadrado"
);
}
}
| 4,937 |
AccessDeniedException | /**
* JSocksProxy Copyright (c) 2006-2017 Kenny Colliander Nordin
*
* <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.
*/
/**
* This exception is thrown if the client requests a SOCKS version that is now allowed
*
* @author Kenny Colliander Nordin
*/
public class AccessDeniedException extends Exception {
private static final long serialVersionUID = 8802741641772606370L;
/** Constructor */
public AccessDeniedException() {
super();
}
/**
* Constructor
*
* @param message the message
* @param throwable the throwable
*/
public AccessDeniedException(final String message, final Throwable throwable) {
super(message, throwable);
}
/**
* Constructor
*
* @param message the message
*/
public AccessDeniedException(final String message) {
super(message);
}
/**
* Constructor
*
* @param throwable the throwable
*/
public AccessDeniedException(final Throwable throwable) {
super(throwable);
}
}
| .version 52 0
.class public super AccessDeniedException
.super java/lang/Exception
.field private static final serialVersionUID J = 8802741641772606370L
.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 32
L4 33
.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 44
L6 45
.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 54
L5 55
.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 64
L5 65
.end linenumbertable
.end code
.end method
.sourcefile 'AccessDeniedException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 17:33: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 AccessDeniedException_ESTest extends AccessDeniedException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
AccessDeniedException accessDeniedException0 = new AccessDeniedException();
AccessDeniedException accessDeniedException1 = new AccessDeniedException(accessDeniedException0);
assertFalse(accessDeniedException1.equals((Object)accessDeniedException0));
}
@Test(timeout = 4000)
public void test1() throws Throwable {
AccessDeniedException accessDeniedException0 = new AccessDeniedException((String) null);
AccessDeniedException accessDeniedException1 = new AccessDeniedException((String) null, accessDeniedException0);
assertFalse(accessDeniedException1.equals((Object)accessDeniedException0));
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 17:33: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 AccessDeniedException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "AccessDeniedException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp0uidgzl8");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(AccessDeniedException_ESTest_scaffolding.class.getClassLoader() ,
"AccessDeniedException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AccessDeniedException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"AccessDeniedException"
);
}
}
| 4,938 |
CryptoBrokerWalletIdentityMiddlewareDatabaseConstants | /**
* The Class <code>
* com.bitdubai.fermat_cbp_plugin.layer.middleware.crypto_broker_wallet_identity.developer.bitdubai.version_1.database.CryptoBrokerWalletIdentityMiddlewareDatabaseConstants
* </code> keeps constants the column names of the database.
*
* <p>
*
* <p>Created by Angel Veloz - ([email protected]) on 28/09/15.
*
* @version 1.0
* @since Java JDK 1.7
*/
public class CryptoBrokerWalletIdentityMiddlewareDatabaseConstants {
/** Wallet Identity database table definition. */
static final String WALLET_IDENTITY_TABLE_NAME = "wallet_identity";
static final String WALLET_IDENTITY_ACTOR_PUBLIC_KEY_COLUMN_NAME = "actor_public_key";
static final String WALLET_IDENTITY_WALLET_ID_COLUMN_NAME = "wallet_id";
}
| .version 52 0
.class public super CryptoBrokerWalletIdentityMiddlewareDatabaseConstants
.super java/lang/Object
.field static final WALLET_IDENTITY_TABLE_NAME Ljava/lang/String; = 'wallet_identity'
.field static final WALLET_IDENTITY_ACTOR_PUBLIC_KEY_COLUMN_NAME Ljava/lang/String; = 'actor_public_key'
.field static final WALLET_IDENTITY_WALLET_ID_COLUMN_NAME Ljava/lang/String; = 'wallet_id'
.method 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
.sourcefile 'CryptoBrokerWalletIdentityMiddlewareDatabaseConstants.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 18:21:36 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class CryptoBrokerWalletIdentityMiddlewareDatabaseConstants_ESTest extends CryptoBrokerWalletIdentityMiddlewareDatabaseConstants_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
CryptoBrokerWalletIdentityMiddlewareDatabaseConstants cryptoBrokerWalletIdentityMiddlewareDatabaseConstants0 = new CryptoBrokerWalletIdentityMiddlewareDatabaseConstants();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 18:21:36 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class CryptoBrokerWalletIdentityMiddlewareDatabaseConstants_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "CryptoBrokerWalletIdentityMiddlewareDatabaseConstants";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp2uohihki");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CryptoBrokerWalletIdentityMiddlewareDatabaseConstants_ESTest_scaffolding.class.getClassLoader() ,
"CryptoBrokerWalletIdentityMiddlewareDatabaseConstants"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CryptoBrokerWalletIdentityMiddlewareDatabaseConstants_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"CryptoBrokerWalletIdentityMiddlewareDatabaseConstants"
);
}
}
| 4,939 |
InputValidBlockIndent | /*
* InputValidBlockIndent.java
*
* Created on December 8, 2002, 12:06 PM
*/
/**
* @author jrichard
*/
public class InputValidBlockIndent {
/** Creates a new instance of InputValidBlockIndent */
public InputValidBlockIndent() {}
public void method1() {
{
}
{
}
{
int var = 3;
var += 3;
}
{
int var = 5;
}
{
int var = 3;
var += 3;
{
int innerVar = 4;
innerVar += var;
}
}
}
static {
int var = 4;
}
static {
int var = 4;
}
static {
int var = 4;
}
{
int var = 4;
}
{
int var = 4;
}
{
int var = 4;
}
}
enum EquivalenceTester {
/** An equivalence tester that decides based on {@link Object#equals(Object) equals}. */
OBJECT_ATTRIBUTES {
/** {@inheritDoc} */
public boolean areEqual(final Object first, final Object second) {
return true;
}
/** {@inheritDoc} */
public int hashCode(final Object target) {
return 1;
}
},
/** An equivalence tester that decides based on {@code ==}. */
OBJECT_IDENTITIES {
/** {@inheritDoc} */
public boolean areEqual(final Object first, final Object second) {
return first == second;
}
/** {@inheritDoc} */
public int hashCode(final Object target) {
return System.identityHashCode(target);
}
};
/**
* Tells whether the two given objects are considered equivalent.
*
* @param first first comparand
* @param second second comparand
* @return whether {@code first} and {@code second} are considered equivalent
*/
public abstract boolean areEqual(Object first, Object second);
/**
* Computes a hash code for the given object.
*
* @param target object to compute a hash for
* @return the computed hash
*/
public abstract int hashCode(Object target);
}
class bug1251988 {
private int a;
// non static initializer
{
if (a == 1) {}
}
}
class bug1260079 {
public bug1260079() {
new Thread() {
public void run() {
System.out.println("ran");
}
}.start();
}
}
class bug1336737 {
private static enum Command {
IMPORT("import"),
LIST("list");
private final String c;
Command(String c) {
this.c = c;
}
public String toString() {
return c;
}
}
}
| .version 52 0
.class public super InputValidBlockIndent
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: iconst_4
L5: istore_1
L6: iconst_4
L7: istore_1
L8: iconst_4
L9: istore_1
L10: return
L11:
.linenumbertable
L0 16
L4 59
L6 63
L8 67
L10 17
.end linenumbertable
.end code
.end method
.method public method1 : ()V
.code stack 2 locals 3
L0: iconst_3
L1: istore_1
L2: iinc 1 3
L5: iconst_5
L6: istore_1
L7: iconst_3
L8: istore_1
L9: iinc 1 3
L12: iconst_4
L13: istore_2
L14: iload_2
L15: iload_1
L16: iadd
L17: istore_2
L18: return
L19:
.linenumbertable
L0 25
L2 27
L5 31
L7 34
L9 36
L12 39
L14 41
L18 45
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 1 locals 1
L0: iconst_4
L1: istore_0
L2: iconst_4
L3: istore_0
L4: iconst_4
L5: istore_0
L6: return
L7:
.linenumbertable
L0 47
L2 51
L4 56
L6 57
.end linenumbertable
.end code
.end method
.sourcefile 'InputValidBlockIndent.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 06:19: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 InputValidBlockIndent_ESTest extends InputValidBlockIndent_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
InputValidBlockIndent inputValidBlockIndent0 = new InputValidBlockIndent();
inputValidBlockIndent0.method1();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 06:19: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 InputValidBlockIndent_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "InputValidBlockIndent";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpqyhg7w98");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(InputValidBlockIndent_ESTest_scaffolding.class.getClassLoader() ,
"InputValidBlockIndent"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(InputValidBlockIndent_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"InputValidBlockIndent"
);
}
}
| 4,940 |
Compare | public class Compare {
// Comparator stuff
public static final int LESSER_THAN = -1;
public static final int EQUALS = 0;
public static final int GREATER_THAN = 1;
}
| .version 52 0
.class public super Compare
.super java/lang/Object
.field public static final LESSER_THAN I = -1
.field public static final EQUALS I = 0
.field public static final GREATER_THAN I = 1
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 3
.end linenumbertable
.end code
.end method
.sourcefile 'Compare.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 15:54:39 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Compare_ESTest extends Compare_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Compare compare0 = new Compare();
assertEquals(1, Compare.GREATER_THAN);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 15:54:39 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Compare_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Compare";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp2osez9vv");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Compare_ESTest_scaffolding.class.getClassLoader() ,
"Compare"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Compare_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Compare"
);
}
}
| 4,941 |
BTree | /*
* Copyright (c) by mewin<[email protected]>
* All rights reserved.
*/
/**
* @author mewin<[email protected]>
*/
public class BTree {}
| .version 52 0
.class public super BTree
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 11
.end linenumbertable
.end code
.end method
.sourcefile 'BTree.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 21:57:04 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class BTree_ESTest extends BTree_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
BTree bTree0 = new BTree();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 21:57: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 BTree_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "BTree";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpvnd7_dx2");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BTree_ESTest_scaffolding.class.getClassLoader() ,
"BTree"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BTree_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"BTree"
);
}
}
| 4,942 |
TCharacterCodingException | /*
* Copyright 2015 Alexey Andreev.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
import java.io.IOException;
/**
* @author Alexey Andreev
*/
public class TCharacterCodingException extends IOException {
private static final long serialVersionUID = -2432441010404243409L;
public TCharacterCodingException() {
super();
}
}
| .version 52 0
.class public super TCharacterCodingException
.super java/io/IOException
.field private static final serialVersionUID J = -2432441010404243409L
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/io/IOException <init> ()V
L4: return
L5:
.linenumbertable
L0 28
L4 29
.end linenumbertable
.end code
.end method
.sourcefile 'TCharacterCodingException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 17:05: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 TCharacterCodingException_ESTest extends TCharacterCodingException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
TCharacterCodingException tCharacterCodingException0 = new TCharacterCodingException();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 17:05: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 TCharacterCodingException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "TCharacterCodingException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp0ip8z07n");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TCharacterCodingException_ESTest_scaffolding.class.getClassLoader() ,
"TCharacterCodingException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TCharacterCodingException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"TCharacterCodingException"
);
}
}
| 4,943 |
StandardFonts | //
// Android PDF Writer
// http://coderesearchlabs.com/androidpdfwriter
//
// by Javier Santo Domingo ([email protected])
//
public class StandardFonts {
public static final String SUBTYPE = "Type1";
public static final String TIMES_ROMAN = "Times-Roman";
public static final String TIMES_BOLD = "Times-Bold";
public static final String TIMES_ITALIC = "Times-Italic";
public static final String TIMES_BOLDITALIC = "Times-BoldItalic";
public static final String HELVETICA = "Helvetica";
public static final String HELVETICA_BOLD = "Helvetica-Bold";
public static final String HELVETICA_OBLIQUE = "Helvetica-Oblique";
public static final String HELVETICA_BOLDOBLIQUE = "Helvetica-BoldOblique";
public static final String COURIER = "Courier";
public static final String COURIER_BOLD = "Courier-Bold";
public static final String COURIER_OBLIQUE = "Courier-Oblique";
public static final String COURIER_BOLDOBLIQUE = "Courier-BoldOblique";
public static final String SYMBOL = "Symbol";
public static final String ZAPDINGBATS = "ZapfDingbats";
public static final String MAC_ROMAN_ENCODING = "MacRomanEncoding";
public static final String WIN_ANSI_ENCODING = "WinAnsiEncoding";
}
| .version 52 0
.class public super StandardFonts
.super java/lang/Object
.field public static final SUBTYPE Ljava/lang/String; = 'Type1'
.field public static final TIMES_ROMAN Ljava/lang/String; = 'Times-Roman'
.field public static final TIMES_BOLD Ljava/lang/String; = 'Times-Bold'
.field public static final TIMES_ITALIC Ljava/lang/String; = 'Times-Italic'
.field public static final TIMES_BOLDITALIC Ljava/lang/String; = 'Times-BoldItalic'
.field public static final HELVETICA Ljava/lang/String; = 'Helvetica'
.field public static final HELVETICA_BOLD Ljava/lang/String; = 'Helvetica-Bold'
.field public static final HELVETICA_OBLIQUE Ljava/lang/String; = 'Helvetica-Oblique'
.field public static final HELVETICA_BOLDOBLIQUE Ljava/lang/String; = 'Helvetica-BoldOblique'
.field public static final COURIER Ljava/lang/String; = 'Courier'
.field public static final COURIER_BOLD Ljava/lang/String; = 'Courier-Bold'
.field public static final COURIER_OBLIQUE Ljava/lang/String; = 'Courier-Oblique'
.field public static final COURIER_BOLDOBLIQUE Ljava/lang/String; = 'Courier-BoldOblique'
.field public static final SYMBOL Ljava/lang/String; = 'Symbol'
.field public static final ZAPDINGBATS Ljava/lang/String; = 'ZapfDingbats'
.field public static final MAC_ROMAN_ENCODING Ljava/lang/String; = 'MacRomanEncoding'
.field public static final WIN_ANSI_ENCODING Ljava/lang/String; = 'WinAnsiEncoding'
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 10
.end linenumbertable
.end code
.end method
.sourcefile 'StandardFonts.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 12:35:23 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class StandardFonts_ESTest extends StandardFonts_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
StandardFonts standardFonts0 = new StandardFonts();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 12:35:23 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class StandardFonts_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "StandardFonts";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpfpivpt51");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(StandardFonts_ESTest_scaffolding.class.getClassLoader() ,
"StandardFonts"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(StandardFonts_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"StandardFonts"
);
}
}
| 4,944 |
InsufficientBalanceException | /*
Copyright 2009 Ramnivas Laddad
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
public class InsufficientBalanceException extends Exception {
public InsufficientBalanceException(String message) {
super(message);
}
}
| .version 52 0
.class public super InsufficientBalanceException
.super java/lang/Exception
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V
L5: return
L6:
.linenumbertable
L0 20
L5 21
.end linenumbertable
.end code
.end method
.sourcefile 'InsufficientBalanceException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 18:52:43 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class InsufficientBalanceException_ESTest extends InsufficientBalanceException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
InsufficientBalanceException insufficientBalanceException0 = new InsufficientBalanceException("");
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 18:52: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 InsufficientBalanceException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "InsufficientBalanceException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpetj081e0");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(InsufficientBalanceException_ESTest_scaffolding.class.getClassLoader() ,
"InsufficientBalanceException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(InsufficientBalanceException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"InsufficientBalanceException"
);
}
}
| 4,945 |
HelperFunctions | import java.io.IOException;
import java.io.InputStream;
import java.net.HttpURLConnection;
import java.net.InetSocketAddress;
import java.net.MalformedURLException;
import java.net.Proxy;
import java.net.URL;
public class HelperFunctions {
public static double sumArray(double[] array) {
double sum = 0.0;
for (int k = 0; k < array.length; k++) sum += array[k];
return sum;
}
/**
* @param val
* @param digits
* @return
*/
public static double round(double val, double digits) {
double multiplier = Math.pow(10.0, digits);
return (double) Math.round(val * multiplier) / multiplier;
}
/**
* @param size
* @return
*/
public static String getRandomString(int size) {
char[] vals = {
'0', '1', '2', '3', '4', '5', '6', '7', '8', '9', 'Q', 'W', 'E', 'R', 'T', 'Z', 'U', 'I', 'O',
'P', 'A', 'S', 'D', 'F', 'G', 'H', 'J', 'K', 'L', 'Y', 'X', 'C', 'V', 'B', 'N', 'M'
};
String randomString = "";
java.util.Random rand = new java.util.Random();
for (int i = 0; i < size; i++) randomString += vals[rand.nextInt(size)];
return randomString;
}
/**
* @param urlname
* @return
*/
public static InputStream getInputStreamFromURL(String urlname) throws Exception {
InputStream stream = null;
try {
URL url = new URL(urlname);
java.net.HttpURLConnection connection = (HttpURLConnection) url.openConnection();
if (connection.getResponseCode() != 200
&& connection.getResponseCode() != 404
&& connection.getResponseCode() != 202) {
throw new IOException(connection.getResponseMessage());
}
stream = connection.getInputStream();
} catch (MalformedURLException mue) {
System.err.println("Error: Could create URL object!");
throw new Exception();
} catch (IOException e) {
System.err.println("Error: Could not open URL connection!");
System.err.println(urlname);
throw new Exception();
}
return stream;
}
/**
* @param urlname
* @return
*/
public static InputStream getInputStreamFromURL(
String urlname, Object proxyServer, Object proxyPort) throws Exception {
InputStream stream = null;
try {
URL url = new URL(urlname);
java.net.HttpURLConnection connection = null;
Proxy proxy = null;
try {
if (proxyServer != null && proxyPort != null) {
proxy =
new Proxy(
Proxy.Type.HTTP,
new InetSocketAddress((String) proxyServer, (Integer) proxyPort));
}
} catch (Exception e1) {
System.err.println("Could not set proxy. Check settings.");
}
if (proxy == null) connection = (HttpURLConnection) url.openConnection();
else connection = (HttpURLConnection) url.openConnection(proxy);
if (connection.getResponseCode() != 200
&& connection.getResponseCode() != 404
&& connection.getResponseCode() != 202) {
throw new IOException(connection.getResponseMessage());
}
stream = connection.getInputStream();
} catch (MalformedURLException mue) {
System.err.println("Error: Could create URL object!");
throw new Exception();
} catch (IOException e) {
System.err.println("Error: Could not open URL connection!");
System.err.println(urlname);
throw new Exception();
}
return stream;
}
public static String stringArrayToString(String[] stringArray) {
if (stringArray == null) return "";
String string = "";
if (stringArray.length >= 1) string = stringArray[0];
for (int i = 1; i < stringArray.length; i++) string += "," + stringArray[i];
return string;
}
}
| .version 52 0
.class public super HelperFunctions
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 11
.end linenumbertable
.end code
.end method
.method public static sumArray : ([D)D
.code stack 4 locals 4
L0: dconst_0
L1: dstore_1
L2: iconst_0
L3: istore_3
.stack append Double Integer
L4: iload_3
L5: aload_0
L6: arraylength
L7: if_icmpge L22
L10: dload_1
L11: aload_0
L12: iload_3
L13: daload
L14: dadd
L15: dstore_1
L16: iinc 3 1
L19: goto L4
.stack chop 1
L22: dload_1
L23: dreturn
L24:
.linenumbertable
L0 14
L2 15
L22 16
.end linenumbertable
.end code
.end method
.method public static round : (DD)D
.code stack 4 locals 6
L0: ldc2_w +10.0
L3: dload_2
L4: invokestatic Method java/lang/Math pow (DD)D
L7: dstore 4
L9: dload_0
L10: dload 4
L12: dmul
L13: invokestatic Method java/lang/Math round (D)J
L16: l2d
L17: dload 4
L19: ddiv
L20: dreturn
L21:
.linenumbertable
L0 26
L9 27
.end linenumbertable
.end code
.end method
.method public static getRandomString : (I)Ljava/lang/String;
.code stack 4 locals 5
L0: bipush 36
L2: newarray char
L4: dup
L5: iconst_0
L6: bipush 48
L8: castore
L9: dup
L10: iconst_1
L11: bipush 49
L13: castore
L14: dup
L15: iconst_2
L16: bipush 50
L18: castore
L19: dup
L20: iconst_3
L21: bipush 51
L23: castore
L24: dup
L25: iconst_4
L26: bipush 52
L28: castore
L29: dup
L30: iconst_5
L31: bipush 53
L33: castore
L34: dup
L35: bipush 6
L37: bipush 54
L39: castore
L40: dup
L41: bipush 7
L43: bipush 55
L45: castore
L46: dup
L47: bipush 8
L49: bipush 56
L51: castore
L52: dup
L53: bipush 9
L55: bipush 57
L57: castore
L58: dup
L59: bipush 10
L61: bipush 81
L63: castore
L64: dup
L65: bipush 11
L67: bipush 87
L69: castore
L70: dup
L71: bipush 12
L73: bipush 69
L75: castore
L76: dup
L77: bipush 13
L79: bipush 82
L81: castore
L82: dup
L83: bipush 14
L85: bipush 84
L87: castore
L88: dup
L89: bipush 15
L91: bipush 90
L93: castore
L94: dup
L95: bipush 16
L97: bipush 85
L99: castore
L100: dup
L101: bipush 17
L103: bipush 73
L105: castore
L106: dup
L107: bipush 18
L109: bipush 79
L111: castore
L112: dup
L113: bipush 19
L115: bipush 80
L117: castore
L118: dup
L119: bipush 20
L121: bipush 65
L123: castore
L124: dup
L125: bipush 21
L127: bipush 83
L129: castore
L130: dup
L131: bipush 22
L133: bipush 68
L135: castore
L136: dup
L137: bipush 23
L139: bipush 70
L141: castore
L142: dup
L143: bipush 24
L145: bipush 71
L147: castore
L148: dup
L149: bipush 25
L151: bipush 72
L153: castore
L154: dup
L155: bipush 26
L157: bipush 74
L159: castore
L160: dup
L161: bipush 27
L163: bipush 75
L165: castore
L166: dup
L167: bipush 28
L169: bipush 76
L171: castore
L172: dup
L173: bipush 29
L175: bipush 89
L177: castore
L178: dup
L179: bipush 30
L181: bipush 88
L183: castore
L184: dup
L185: bipush 31
L187: bipush 67
L189: castore
L190: dup
L191: bipush 32
L193: bipush 86
L195: castore
L196: dup
L197: bipush 33
L199: bipush 66
L201: castore
L202: dup
L203: bipush 34
L205: bipush 78
L207: castore
L208: dup
L209: bipush 35
L211: bipush 77
L213: castore
L214: astore_1
L215: ldc ''
L217: astore_2
L218: new java/util/Random
L221: dup
L222: invokespecial Method java/util/Random <init> ()V
L225: astore_3
L226: iconst_0
L227: istore 4
.stack full
locals Integer Object [C Object java/lang/String Object java/util/Random Integer
stack
.end stack
L229: iload 4
L231: iload_0
L232: if_icmpge L266
L235: new java/lang/StringBuilder
L238: dup
L239: invokespecial Method java/lang/StringBuilder <init> ()V
L242: aload_2
L243: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L246: aload_1
L247: aload_3
L248: iload_0
L249: invokevirtual Method java/util/Random nextInt (I)I
L252: caload
L253: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L256: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L259: astore_2
L260: iinc 4 1
L263: goto L229
.stack chop 1
L266: aload_2
L267: areturn
L268:
.linenumbertable
L0 36
L215 38
L218 39
L226 40
L235 41
L260 40
L266 43
.end linenumbertable
.end code
.end method
.method public static getInputStreamFromURL : (Ljava/lang/String;)Ljava/io/InputStream;
.code stack 3 locals 4
L0: aconst_null
L1: astore_1
.catch java/net/MalformedURLException from L2 to L66 using L69
.catch java/io/IOException from L2 to L66 using L86
L2: new java/net/URL
L5: dup
L6: aload_0
L7: invokespecial Method java/net/URL <init> (Ljava/lang/String;)V
L10: astore_2
L11: aload_2
L12: invokevirtual Method java/net/URL openConnection ()Ljava/net/URLConnection;
L15: checkcast java/net/HttpURLConnection
L18: astore_3
L19: aload_3
L20: invokevirtual Method java/net/HttpURLConnection getResponseCode ()I
L23: sipush 200
L26: if_icmpeq L61
L29: aload_3
L30: invokevirtual Method java/net/HttpURLConnection getResponseCode ()I
L33: sipush 404
L36: if_icmpeq L61
L39: aload_3
L40: invokevirtual Method java/net/HttpURLConnection getResponseCode ()I
L43: sipush 202
L46: if_icmpeq L61
L49: new java/io/IOException
L52: dup
L53: aload_3
L54: invokevirtual Method java/net/HttpURLConnection getResponseMessage ()Ljava/lang/String;
L57: invokespecial Method java/io/IOException <init> (Ljava/lang/String;)V
L60: athrow
.stack append Object java/io/InputStream Object java/net/URL Object java/net/HttpURLConnection
L61: aload_3
L62: invokevirtual Method java/net/HttpURLConnection getInputStream ()Ljava/io/InputStream;
L65: astore_1
L66: goto L110
.stack full
locals Object java/lang/String Object java/io/InputStream
stack Object java/net/MalformedURLException
.end stack
L69: astore_2
L70: getstatic Field java/lang/System err Ljava/io/PrintStream;
L73: ldc 'Error: Could create URL object!'
L75: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L78: new java/lang/Exception
L81: dup
L82: invokespecial Method java/lang/Exception <init> ()V
L85: athrow
.stack stack_1 Object java/io/IOException
L86: astore_2
L87: getstatic Field java/lang/System err Ljava/io/PrintStream;
L90: ldc 'Error: Could not open URL connection!'
L92: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L95: getstatic Field java/lang/System err Ljava/io/PrintStream;
L98: aload_0
L99: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L102: new java/lang/Exception
L105: dup
L106: invokespecial Method java/lang/Exception <init> ()V
L109: athrow
.stack same
L110: aload_1
L111: areturn
L112:
.linenumbertable
L0 52
L2 55
L11 56
L19 58
L49 59
L61 61
L66 69
L69 62
L70 63
L78 64
L86 65
L87 66
L95 67
L102 68
L110 71
.end linenumbertable
.end code
.exceptions java/lang/Exception
.end method
.method public static getInputStreamFromURL : (Ljava/lang/String;Ljava/lang/Object;Ljava/lang/Object;)Ljava/io/InputStream;
.code stack 7 locals 8
L0: aconst_null
L1: astore_3
L2: new java/net/URL
L5: dup
L6: aload_0
L7: invokespecial Method java/net/URL <init> (Ljava/lang/String;)V
L10: astore 4
L12: aconst_null
L13: astore 5
L15: aconst_null
L16: astore 6
.catch java/lang/Exception from L18 to L56 using L59
.catch java/net/MalformedURLException from L2 to L151 using L154
.catch java/io/IOException from L2 to L151 using L172
L18: aload_1
L19: ifnull L56
L22: aload_2
L23: ifnull L56
L26: new java/net/Proxy
L29: dup
L30: getstatic Field java/net/Proxy$Type HTTP Ljava/net/Proxy$Type;
L33: new java/net/InetSocketAddress
L36: dup
L37: aload_1
L38: checkcast java/lang/String
L41: aload_2
L42: checkcast java/lang/Integer
L45: invokevirtual Method java/lang/Integer intValue ()I
L48: invokespecial Method java/net/InetSocketAddress <init> (Ljava/lang/String;I)V
L51: invokespecial Method java/net/Proxy <init> (Ljava/net/Proxy$Type;Ljava/net/SocketAddress;)V
L54: astore 6
.stack full
locals Object java/lang/String Object java/lang/Object Object java/lang/Object Object java/io/InputStream Object java/net/URL Object java/net/HttpURLConnection Object java/net/Proxy
stack
.end stack
L56: goto L69
.stack stack_1 Object java/lang/Exception
L59: astore 7
L61: getstatic Field java/lang/System err Ljava/io/PrintStream;
L64: ldc 'Could not set proxy. Check settings.'
L66: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack same
L69: aload 6
L71: ifnonnull L87
L74: aload 4
L76: invokevirtual Method java/net/URL openConnection ()Ljava/net/URLConnection;
L79: checkcast java/net/HttpURLConnection
L82: astore 5
L84: goto L99
.stack same
L87: aload 4
L89: aload 6
L91: invokevirtual Method java/net/URL openConnection (Ljava/net/Proxy;)Ljava/net/URLConnection;
L94: checkcast java/net/HttpURLConnection
L97: astore 5
.stack same
L99: aload 5
L101: invokevirtual Method java/net/HttpURLConnection getResponseCode ()I
L104: sipush 200
L107: if_icmpeq L145
L110: aload 5
L112: invokevirtual Method java/net/HttpURLConnection getResponseCode ()I
L115: sipush 404
L118: if_icmpeq L145
L121: aload 5
L123: invokevirtual Method java/net/HttpURLConnection getResponseCode ()I
L126: sipush 202
L129: if_icmpeq L145
L132: new java/io/IOException
L135: dup
L136: aload 5
L138: invokevirtual Method java/net/HttpURLConnection getResponseMessage ()Ljava/lang/String;
L141: invokespecial Method java/io/IOException <init> (Ljava/lang/String;)V
L144: athrow
.stack same
L145: aload 5
L147: invokevirtual Method java/net/HttpURLConnection getInputStream ()Ljava/io/InputStream;
L150: astore_3
L151: goto L197
.stack full
locals Object java/lang/String Object java/lang/Object Object java/lang/Object Object java/io/InputStream
stack Object java/net/MalformedURLException
.end stack
L154: astore 4
L156: getstatic Field java/lang/System err Ljava/io/PrintStream;
L159: ldc 'Error: Could create URL object!'
L161: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L164: new java/lang/Exception
L167: dup
L168: invokespecial Method java/lang/Exception <init> ()V
L171: athrow
.stack stack_1 Object java/io/IOException
L172: astore 4
L174: getstatic Field java/lang/System err Ljava/io/PrintStream;
L177: ldc 'Error: Could not open URL connection!'
L179: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L182: getstatic Field java/lang/System err Ljava/io/PrintStream;
L185: aload_0
L186: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L189: new java/lang/Exception
L192: dup
L193: invokespecial Method java/lang/Exception <init> ()V
L196: athrow
.stack same
L197: aload_3
L198: areturn
L199:
.linenumbertable
L0 80
L2 83
L12 84
L15 85
L18 87
L26 88
L56 93
L59 91
L61 92
L69 95
L87 96
L99 98
L132 99
L145 101
L151 109
L154 102
L156 103
L164 104
L172 105
L174 106
L182 107
L189 108
L197 111
.end linenumbertable
.end code
.exceptions java/lang/Exception
.end method
.method public static stringArrayToString : ([Ljava/lang/String;)Ljava/lang/String;
.code stack 3 locals 3
L0: aload_0
L1: ifnonnull L7
L4: ldc ''
L6: areturn
.stack same
L7: ldc ''
L9: astore_1
L10: aload_0
L11: arraylength
L12: iconst_1
L13: if_icmplt L20
L16: aload_0
L17: iconst_0
L18: aaload
L19: astore_1
.stack append Object java/lang/String
L20: iconst_1
L21: istore_2
.stack append Integer
L22: iload_2
L23: aload_0
L24: arraylength
L25: if_icmpge L60
L28: new java/lang/StringBuilder
L31: dup
L32: invokespecial Method java/lang/StringBuilder <init> ()V
L35: aload_1
L36: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L39: ldc ','
L41: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L44: aload_0
L45: iload_2
L46: aaload
L47: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L50: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L53: astore_1
L54: iinc 2 1
L57: goto L22
.stack chop 1
L60: aload_1
L61: areturn
L62:
.linenumbertable
L0 116
L7 117
L10 118
L20 119
L28 120
L54 119
L60 121
.end linenumbertable
.end code
.end method
.sourcefile 'HelperFunctions.java'
.innerclasses
java/net/Proxy$Type java/net/Proxy Type public static final enum
.end innerclasses
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 12:34:14 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 HelperFunctions_ESTest extends HelperFunctions_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
double[] doubleArray0 = new double[4];
HelperFunctions.sumArray(doubleArray0);
HelperFunctions.round((-15442.0), 10.0);
try {
HelperFunctions.getInputStreamFromURL("");
fail("Expecting exception: Exception");
} catch(Exception e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("HelperFunctions", e);
}
}
@Test(timeout = 4000)
public void test01() throws Throwable {
Object object0 = new Object();
try {
HelperFunctions.getInputStreamFromURL("Could not set proxy. Check settings.", (Object) null, object0);
fail("Expecting exception: Exception");
} catch(Exception e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("HelperFunctions", e);
}
}
@Test(timeout = 4000)
public void test02() throws Throwable {
double[] doubleArray0 = new double[4];
doubleArray0[0] = 10.0;
double double0 = HelperFunctions.sumArray(doubleArray0);
assertEquals(10.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
double[] doubleArray0 = new double[7];
doubleArray0[3] = (-60229.0547);
double double0 = HelperFunctions.sumArray(doubleArray0);
assertEquals((-60229.0547), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
double double0 = HelperFunctions.round(0.0, 0.0);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
double double0 = HelperFunctions.round(22080.8056435297, 10.0);
assertEquals(22080.8056435297, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
HelperFunctions.getRandomString((-1));
double[] doubleArray0 = new double[0];
HelperFunctions.sumArray(doubleArray0);
Object object0 = new Object();
try {
HelperFunctions.getInputStreamFromURL("", object0, object0);
fail("Expecting exception: Exception");
} catch(Exception e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("HelperFunctions", e);
}
}
@Test(timeout = 4000)
public void test07() throws Throwable {
String[] stringArray0 = new String[5];
String string0 = HelperFunctions.stringArrayToString(stringArray0);
assertNotNull(string0);
assertEquals("null,null,null,null,null", string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
String[] stringArray0 = new String[0];
HelperFunctions.stringArrayToString(stringArray0);
HelperFunctions.round(1.0, (-51096.02));
try {
HelperFunctions.getInputStreamFromURL("_");
fail("Expecting exception: Exception");
} catch(Exception e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("HelperFunctions", e);
}
}
@Test(timeout = 4000)
public void test09() throws Throwable {
String string0 = HelperFunctions.stringArrayToString((String[]) null);
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
String[] stringArray0 = new String[1];
String string0 = HelperFunctions.stringArrayToString(stringArray0);
assertNull(string0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
String string0 = HelperFunctions.getRandomString(51);
assertEquals("000000000000000000000000000000000000000000000000000", string0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
HelperFunctions helperFunctions0 = new HelperFunctions();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 12:34:14 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class HelperFunctions_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "HelperFunctions";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpxcjgo4mi");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(HelperFunctions_ESTest_scaffolding.class.getClassLoader() ,
"HelperFunctions"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(HelperFunctions_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"HelperFunctions"
);
}
}
| 4,946 |
RecommendStoreOverview | /**
* 店铺名和介绍图片
*
* @author Administrator
*/
public class RecommendStoreOverview {
private int storeId;
private String storeName;
private String storeImg;
public int getStoreId() {
return storeId;
}
public void setStoreId(int storeId) {
this.storeId = storeId;
}
public String getStoreName() {
return storeName;
}
public void setStoreName(String storeName) {
this.storeName = storeName;
}
public String getStoreImg() {
return storeImg;
}
public void setStoreImg(String storeImg) {
this.storeImg = storeImg;
}
@Override
public String toString() {
return "RecommendStoreOverview{"
+ "storeId="
+ storeId
+ ", storeName='"
+ storeName
+ '\''
+ ", storeImg='"
+ storeImg
+ '\''
+ '}';
}
}
| .version 52 0
.class public super RecommendStoreOverview
.super java/lang/Object
.field private storeId I
.field private storeName Ljava/lang/String;
.field private storeImg Ljava/lang/String;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 9
.end linenumbertable
.end code
.end method
.method public getStoreId : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field RecommendStoreOverview storeId I
L4: ireturn
L5:
.linenumbertable
L0 16
.end linenumbertable
.end code
.end method
.method public setStoreId : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field RecommendStoreOverview storeId I
L5: return
L6:
.linenumbertable
L0 20
L5 21
.end linenumbertable
.end code
.end method
.method public getStoreName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field RecommendStoreOverview storeName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 24
.end linenumbertable
.end code
.end method
.method public setStoreName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field RecommendStoreOverview storeName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 28
L5 29
.end linenumbertable
.end code
.end method
.method public getStoreImg : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field RecommendStoreOverview storeImg Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 32
.end linenumbertable
.end code
.end method
.method public setStoreImg : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field RecommendStoreOverview storeImg Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 36
L5 37
.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 'RecommendStoreOverview{storeId='
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field RecommendStoreOverview storeId I
L16: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L19: ldc ", storeName='"
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: aload_0
L25: getfield Field RecommendStoreOverview storeName Ljava/lang/String;
L28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L31: bipush 39
L33: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L36: ldc ", storeImg='"
L38: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L41: aload_0
L42: getfield Field RecommendStoreOverview storeImg Ljava/lang/String;
L45: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L48: bipush 39
L50: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L53: bipush 125
L55: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L58: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L61: areturn
L62:
.linenumbertable
L0 41
.end linenumbertable
.end code
.end method
.sourcefile 'RecommendStoreOverview.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 10:58:19 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class RecommendStoreOverview_ESTest extends RecommendStoreOverview_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
RecommendStoreOverview recommendStoreOverview0 = new RecommendStoreOverview();
recommendStoreOverview0.setStoreName("");
String string0 = recommendStoreOverview0.getStoreName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
RecommendStoreOverview recommendStoreOverview0 = new RecommendStoreOverview();
recommendStoreOverview0.setStoreImg("");
String string0 = recommendStoreOverview0.getStoreImg();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
RecommendStoreOverview recommendStoreOverview0 = new RecommendStoreOverview();
recommendStoreOverview0.setStoreId(1);
int int0 = recommendStoreOverview0.getStoreId();
assertEquals(1, int0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
RecommendStoreOverview recommendStoreOverview0 = new RecommendStoreOverview();
recommendStoreOverview0.setStoreId((-1));
int int0 = recommendStoreOverview0.getStoreId();
assertEquals((-1), int0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
RecommendStoreOverview recommendStoreOverview0 = new RecommendStoreOverview();
String string0 = recommendStoreOverview0.toString();
assertEquals("RecommendStoreOverview{storeId=0, storeName='null', storeImg='null'}", string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
RecommendStoreOverview recommendStoreOverview0 = new RecommendStoreOverview();
int int0 = recommendStoreOverview0.getStoreId();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
RecommendStoreOverview recommendStoreOverview0 = new RecommendStoreOverview();
recommendStoreOverview0.setStoreImg("RecommendStoreOverview{storeId=0, storeName='null', storeImg='null'}");
String string0 = recommendStoreOverview0.getStoreImg();
assertEquals("RecommendStoreOverview{storeId=0, storeName='null', storeImg='null'}", string0);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
RecommendStoreOverview recommendStoreOverview0 = new RecommendStoreOverview();
String string0 = recommendStoreOverview0.getStoreImg();
assertNull(string0);
}
@Test(timeout = 4000)
public void test8() throws Throwable {
RecommendStoreOverview recommendStoreOverview0 = new RecommendStoreOverview();
recommendStoreOverview0.setStoreName("RecommendStoreOverview{storeId=0, storeName='null', storeImg='null'}");
String string0 = recommendStoreOverview0.getStoreName();
assertEquals("RecommendStoreOverview{storeId=0, storeName='null', storeImg='null'}", string0);
}
@Test(timeout = 4000)
public void test9() throws Throwable {
RecommendStoreOverview recommendStoreOverview0 = new RecommendStoreOverview();
String string0 = recommendStoreOverview0.getStoreName();
assertNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 10:58:19 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class RecommendStoreOverview_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "RecommendStoreOverview";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp6sbnxnhw");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(RecommendStoreOverview_ESTest_scaffolding.class.getClassLoader() ,
"RecommendStoreOverview"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RecommendStoreOverview_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"RecommendStoreOverview"
);
}
}
| 4,947 |
Problem1974 | /** https://leetcode.com/problems/minimum-time-to-type-word-using-special-typewriter/ */
public class Problem1974 {
public int minTimeToType(String word) {
int answer = 0;
int s = 'a';
for (char c : word.toCharArray()) {
int diff1 = Math.abs(c - s);
int diff2 = Math.abs(s + 26 - c);
int diff3 = Math.abs(c + 26 - s);
answer += Math.min(diff1, Math.min(diff2, diff3)) + 1;
s = c;
}
return answer;
}
}
| .version 52 0
.class public super Problem1974
.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 minTimeToType : (Ljava/lang/String;)I
.code stack 4 locals 11
L0: iconst_0
L1: istore_2
L2: bipush 97
L4: istore_3
L5: aload_1
L6: invokevirtual Method java/lang/String toCharArray ()[C
L9: astore 4
L11: aload 4
L13: arraylength
L14: istore 5
L16: iconst_0
L17: istore 6
.stack full
locals Object Problem1974 Object java/lang/String Integer Integer Object [C Integer Integer
stack
.end stack
L19: iload 6
L21: iload 5
L23: if_icmpge L92
L26: aload 4
L28: iload 6
L30: caload
L31: istore 7
L33: iload 7
L35: iload_3
L36: isub
L37: invokestatic Method java/lang/Math abs (I)I
L40: istore 8
L42: iload_3
L43: bipush 26
L45: iadd
L46: iload 7
L48: isub
L49: invokestatic Method java/lang/Math abs (I)I
L52: istore 9
L54: iload 7
L56: bipush 26
L58: iadd
L59: iload_3
L60: isub
L61: invokestatic Method java/lang/Math abs (I)I
L64: istore 10
L66: iload_2
L67: iload 8
L69: iload 9
L71: iload 10
L73: invokestatic Method java/lang/Math min (II)I
L76: invokestatic Method java/lang/Math min (II)I
L79: iconst_1
L80: iadd
L81: iadd
L82: istore_2
L83: iload 7
L85: istore_3
L86: iinc 6 1
L89: goto L19
.stack chop 3
L92: iload_2
L93: ireturn
L94:
.linenumbertable
L0 8
L2 9
L5 10
L33 11
L42 12
L54 13
L66 14
L83 15
L86 10
L92 17
.end linenumbertable
.end code
.end method
.sourcefile 'Problem1974.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 00:42: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 Problem1974_ESTest extends Problem1974_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Problem1974 problem1974_0 = new Problem1974();
int int0 = problem1974_0.minTimeToType("f");
assertEquals(6, int0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Problem1974 problem1974_0 = new Problem1974();
int int0 = problem1974_0.minTimeToType("");
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Problem1974 problem1974_0 = new Problem1974();
int int0 = problem1974_0.minTimeToType("D5[2XKyyo6{-;\"C");
assertEquals(257, int0);
int int1 = problem1974_0.minTimeToType("f");
assertEquals(6, int1);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 00:42: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 Problem1974_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Problem1974";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpl0z258t_");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Problem1974_ESTest_scaffolding.class.getClassLoader() ,
"Problem1974"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Problem1974_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Problem1974"
);
}
}
| 4,948 |
JMSRuntimeException | /*
* 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.
*/
/** Created by johnament on 10/5/14. */
public class JMSRuntimeException extends RuntimeException {
private String errorCode;
public JMSRuntimeException(String message) {
super(message);
}
public JMSRuntimeException(String message, String errorCode) {
this(message);
this.errorCode = errorCode;
}
public JMSRuntimeException(String message, String errorCode, Throwable cause) {
super(message, cause);
this.errorCode = errorCode;
}
public String getErrorCode() {
return this.errorCode;
}
}
| .version 52 0
.class public super JMSRuntimeException
.super java/lang/RuntimeException
.field private errorCode Ljava/lang/String;
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V
L5: return
L6:
.linenumbertable
L0 28
L5 29
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;Ljava/lang/String;)V
.code stack 2 locals 3
L0: aload_0
L1: aload_1
L2: invokespecial Method JMSRuntimeException <init> (Ljava/lang/String;)V
L5: aload_0
L6: aload_2
L7: putfield Field JMSRuntimeException errorCode Ljava/lang/String;
L10: return
L11:
.linenumbertable
L0 32
L5 33
L10 34
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;Ljava/lang/String;Ljava/lang/Throwable;)V
.code stack 3 locals 4
L0: aload_0
L1: aload_1
L2: aload_3
L3: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;Ljava/lang/Throwable;)V
L6: aload_0
L7: aload_2
L8: putfield Field JMSRuntimeException errorCode Ljava/lang/String;
L11: return
L12:
.linenumbertable
L0 37
L6 38
L11 39
.end linenumbertable
.end code
.end method
.method public getErrorCode : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field JMSRuntimeException errorCode Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 42
.end linenumbertable
.end code
.end method
.sourcefile 'JMSRuntimeException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 09:53: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 JMSRuntimeException_ESTest extends JMSRuntimeException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
JMSRuntimeException jMSRuntimeException0 = new JMSRuntimeException("wkv", "wkv");
String string0 = jMSRuntimeException0.getErrorCode();
assertEquals("wkv", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
JMSRuntimeException jMSRuntimeException0 = new JMSRuntimeException(")-,bCtOn");
String string0 = jMSRuntimeException0.getErrorCode();
assertNull(string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
JMSRuntimeException jMSRuntimeException0 = new JMSRuntimeException(")-,bCtOn");
JMSRuntimeException jMSRuntimeException1 = new JMSRuntimeException("y9", "", jMSRuntimeException0);
String string0 = jMSRuntimeException1.getErrorCode();
assertEquals("", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 09:53: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 JMSRuntimeException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "JMSRuntimeException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmph36eguzp");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(JMSRuntimeException_ESTest_scaffolding.class.getClassLoader() ,
"JMSRuntimeException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(JMSRuntimeException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"JMSRuntimeException"
);
}
}
| 4,949 |
GnuplotException | // This file is part of OpenTSDB.
// Copyright (C) 2010 StumbleUpon, Inc.
//
// This program is free software: you can redistribute it and/or modify it
// under the terms of the GNU Lesser General Public License as published by
// the Free Software Foundation, either version 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 Lesser
// General Public License for more details. You should have received a copy
// of the GNU Lesser General Public License along with this program. If not,
// see <http://www.gnu.org/licenses/>.
/** Exception thrown when Gnuplot fails. */
final class GnuplotException extends RuntimeException {
public GnuplotException(final int gnuplot_return_value) {
super("Gnuplot returned " + gnuplot_return_value);
}
public GnuplotException(final String gnuplot_stderr) {
super("Gnuplot stderr:\n" + gnuplot_stderr);
}
static final long serialVersionUID = 1287770642;
}
| .version 52 0
.class final super GnuplotException
.super java/lang/RuntimeException
.field static final serialVersionUID J = 1287770642L
.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 'Gnuplot returned '
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: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L20: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V
L23: return
L24:
.linenumbertable
L0 21
L23 22
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;)V
.code stack 3 locals 2
L0: aload_0
L1: new java/lang/StringBuilder
L4: dup
L5: invokespecial Method java/lang/StringBuilder <init> ()V
L8: ldc 'Gnuplot stderr:\n'
L10: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L13: aload_1
L14: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L17: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L20: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V
L23: return
L24:
.linenumbertable
L0 25
L23 26
.end linenumbertable
.end code
.end method
.sourcefile 'GnuplotException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 15:43: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 GnuplotException_ESTest extends GnuplotException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
GnuplotException gnuplotException0 = new GnuplotException("");
}
@Test(timeout = 4000)
public void test1() throws Throwable {
GnuplotException gnuplotException0 = new GnuplotException(21093);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 15:43: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 GnuplotException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "GnuplotException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.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_vf3nv1p");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(GnuplotException_ESTest_scaffolding.class.getClassLoader() ,
"GnuplotException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(GnuplotException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"GnuplotException"
);
}
}
| 4,950 |
VASTListItem | //
// VASTListItem.java
//
// Copyright (c) 2014 Nexage. All rights reserved.
//
public class VASTListItem {
private String title; // First line on the list
private String description; // Second line on the list
public VASTListItem(String title, String description) {
super();
this.setTitle(title);
this.setDescription(description);
}
public String getTitle() {
return title;
}
public void setTitle(String title) {
this.title = title;
}
public String getDescription() {
return description;
}
public void setDescription(String description) {
this.description = description;
}
}
| .version 52 0
.class public super VASTListItem
.super java/lang/Object
.field private title Ljava/lang/String;
.field private description Ljava/lang/String;
.method public <init> : (Ljava/lang/String;Ljava/lang/String;)V
.code stack 2 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: invokevirtual Method VASTListItem setTitle (Ljava/lang/String;)V
L9: aload_0
L10: aload_2
L11: invokevirtual Method VASTListItem setDescription (Ljava/lang/String;)V
L14: return
L15:
.linenumbertable
L0 15
L4 16
L9 17
L14 18
.end linenumbertable
.end code
.end method
.method public getTitle : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field VASTListItem title Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 21
.end linenumbertable
.end code
.end method
.method public setTitle : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field VASTListItem title Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 25
L5 26
.end linenumbertable
.end code
.end method
.method public getDescription : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field VASTListItem description Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 29
.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 VASTListItem description Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 33
L5 34
.end linenumbertable
.end code
.end method
.sourcefile 'VASTListItem.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 19:26: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 VASTListItem_ESTest extends VASTListItem_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
VASTListItem vASTListItem0 = new VASTListItem("Mlk>cu<uq*", "Mlk>cu<uq*");
vASTListItem0.setTitle((String) null);
String string0 = vASTListItem0.getTitle();
assertNull(string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
VASTListItem vASTListItem0 = new VASTListItem("", "T~*VZc;AaF5%j8");
vASTListItem0.setDescription((String) null);
String string0 = vASTListItem0.getDescription();
assertNull(string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
VASTListItem vASTListItem0 = new VASTListItem("", "");
vASTListItem0.setDescription("LeaPo@");
String string0 = vASTListItem0.getDescription();
assertEquals("LeaPo@", string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
VASTListItem vASTListItem0 = new VASTListItem("", "");
vASTListItem0.setTitle("MKpX0-tZ~.uR8j]");
String string0 = vASTListItem0.getTitle();
assertEquals("MKpX0-tZ~.uR8j]", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
VASTListItem vASTListItem0 = new VASTListItem("", "");
String string0 = vASTListItem0.getTitle();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
VASTListItem vASTListItem0 = new VASTListItem("", "");
String string0 = vASTListItem0.getDescription();
assertEquals("", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 19:26: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 VASTListItem_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "VASTListItem";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp1johjm6d");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(VASTListItem_ESTest_scaffolding.class.getClassLoader() ,
"VASTListItem"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(VASTListItem_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"VASTListItem"
);
}
}
| 4,951 |
RssFeed | import java.io.Serializable;
public class RssFeed implements Serializable {
private int id;
private String url;
private String name;
public RssFeed() {}
public RssFeed(String _url, String _name) {
this.url = _url;
this.name = _name;
}
public void setId(int id) {
this.id = id;
}
public int getId() {
return id;
}
public void setURL(String url) {
this.url = url;
}
public String getURL() {
return url;
}
public void setName(String name) {
this.name = name;
}
public String getName() {
return name;
}
public String toString() {
return "{" + url + "," + name + "}";
}
}
| .version 52 0
.class public super RssFeed
.super java/lang/Object
.implements java/io/Serializable
.field private id I
.field private url Ljava/lang/String;
.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 11
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;Ljava/lang/String;)V
.code stack 2 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field RssFeed url Ljava/lang/String;
L9: aload_0
L10: aload_2
L11: putfield Field RssFeed name Ljava/lang/String;
L14: return
L15:
.linenumbertable
L0 13
L4 14
L9 15
L14 16
.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 RssFeed id I
L5: return
L6:
.linenumbertable
L0 19
L5 20
.end linenumbertable
.end code
.end method
.method public getId : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field RssFeed id I
L4: ireturn
L5:
.linenumbertable
L0 23
.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 RssFeed url Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 27
L5 28
.end linenumbertable
.end code
.end method
.method public getURL : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field RssFeed url Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 31
.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 RssFeed name Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 35
L5 36
.end linenumbertable
.end code
.end method
.method public getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field RssFeed name Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 39
.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 RssFeed url Ljava/lang/String;
L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L19: ldc ','
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: aload_0
L25: getfield Field RssFeed name Ljava/lang/String;
L28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L31: ldc '}'
L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L36: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L39: areturn
L40:
.linenumbertable
L0 43
.end linenumbertable
.end code
.end method
.sourcefile 'RssFeed.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 06:28: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 RssFeed_ESTest extends RssFeed_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
RssFeed rssFeed0 = new RssFeed("|!2T9x_5*tKyc", "|!2T9x_5*tKyc");
String string0 = rssFeed0.getURL();
assertEquals("|!2T9x_5*tKyc", string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
RssFeed rssFeed0 = new RssFeed();
rssFeed0.setURL("");
String string0 = rssFeed0.getURL();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
RssFeed rssFeed0 = new RssFeed((String) null, "");
String string0 = rssFeed0.getName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
RssFeed rssFeed0 = new RssFeed();
rssFeed0.setId(1);
int int0 = rssFeed0.getId();
assertEquals(1, int0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
RssFeed rssFeed0 = new RssFeed();
rssFeed0.setId((-1));
int int0 = rssFeed0.getId();
assertEquals((-1), int0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
RssFeed rssFeed0 = new RssFeed();
rssFeed0.setName("");
assertEquals("", rssFeed0.getName());
}
@Test(timeout = 4000)
public void test06() throws Throwable {
RssFeed rssFeed0 = new RssFeed();
String string0 = rssFeed0.getURL();
assertNull(string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
RssFeed rssFeed0 = new RssFeed();
String string0 = rssFeed0.toString();
assertEquals("{null,null}", string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
RssFeed rssFeed0 = new RssFeed();
String string0 = rssFeed0.getName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
RssFeed rssFeed0 = new RssFeed();
int int0 = rssFeed0.getId();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
RssFeed rssFeed0 = new RssFeed("tgUTb@Qr2sn>@$K", "tgUTb@Qr2sn>@$K");
String string0 = rssFeed0.getName();
assertEquals("tgUTb@Qr2sn>@$K", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 06:28: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 RssFeed_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "RssFeed";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp1oo5obp_");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(RssFeed_ESTest_scaffolding.class.getClassLoader() ,
"RssFeed"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RssFeed_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"RssFeed"
);
}
}
| 4,952 |
JavaArrayBasicosRecorrerlos1 | /**
* @created on : 11-ago-2017, 18:00:35
* @see
* @since
* @version
* @author Raul Vela Salas
*/
import java.util.Scanner;
public class JavaArrayBasicosRecorrerlos1 {
private static int f = 0;
private static int cont = 0;
private static final Scanner SC = new Scanner(System.in);
public static void main(String[] args) {
int[] a = {0, 1, 2, 3, 4, 5, 6, 7, 8, 9};
int[] c = new int[10];
System.out.println("Introduce 'si' ");
String r = SC.next();
if (r.equals("si")) {
do {
cont++;
for (int i = 0; i < cont; i++) {
System.out.print(a[i]);
}
} while (cont < 10);
} else {
System.out.println("Mala suerte");
}
System.out.println();
System.out.println("----------");
}
}
| .version 52 0
.class public super JavaArrayBasicosRecorrerlos1
.super java/lang/Object
.field private static f I
.field private static cont I
.field private static final SC Ljava/util/Scanner;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 12
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 4 locals 5
L0: bipush 10
L2: newarray int
L4: dup
L5: iconst_0
L6: iconst_0
L7: iastore
L8: dup
L9: iconst_1
L10: iconst_1
L11: iastore
L12: dup
L13: iconst_2
L14: iconst_2
L15: iastore
L16: dup
L17: iconst_3
L18: iconst_3
L19: iastore
L20: dup
L21: iconst_4
L22: iconst_4
L23: iastore
L24: dup
L25: iconst_5
L26: iconst_5
L27: iastore
L28: dup
L29: bipush 6
L31: bipush 6
L33: iastore
L34: dup
L35: bipush 7
L37: bipush 7
L39: iastore
L40: dup
L41: bipush 8
L43: bipush 8
L45: iastore
L46: dup
L47: bipush 9
L49: bipush 9
L51: iastore
L52: astore_1
L53: bipush 10
L55: newarray int
L57: astore_2
L58: getstatic Field java/lang/System out Ljava/io/PrintStream;
L61: ldc "Introduce 'si' "
L63: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L66: getstatic Field JavaArrayBasicosRecorrerlos1 SC Ljava/util/Scanner;
L69: invokevirtual Method java/util/Scanner next ()Ljava/lang/String;
L72: astore_3
L73: aload_3
L74: ldc 'si'
L76: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L79: ifeq L128
.stack append Object [I Object [I Object java/lang/String
L82: getstatic Field JavaArrayBasicosRecorrerlos1 cont I
L85: iconst_1
L86: iadd
L87: putstatic Field JavaArrayBasicosRecorrerlos1 cont I
L90: iconst_0
L91: istore 4
.stack append Integer
L93: iload 4
L95: getstatic Field JavaArrayBasicosRecorrerlos1 cont I
L98: if_icmpge L117
L101: getstatic Field java/lang/System out Ljava/io/PrintStream;
L104: aload_1
L105: iload 4
L107: iaload
L108: invokevirtual Method java/io/PrintStream print (I)V
L111: iinc 4 1
L114: goto L93
.stack chop 1
L117: getstatic Field JavaArrayBasicosRecorrerlos1 cont I
L120: bipush 10
L122: if_icmplt L82
L125: goto L136
.stack same
L128: getstatic Field java/lang/System out Ljava/io/PrintStream;
L131: ldc 'Mala suerte'
L133: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack same
L136: getstatic Field java/lang/System out Ljava/io/PrintStream;
L139: invokevirtual Method java/io/PrintStream println ()V
L142: getstatic Field java/lang/System out Ljava/io/PrintStream;
L145: ldc '----------'
L147: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L150: return
L151:
.linenumbertable
L0 20
L53 21
L58 23
L66 24
L73 25
L82 27
L90 28
L101 29
L111 28
L117 31
L128 33
L136 36
L142 37
L150 39
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 3 locals 0
L0: iconst_0
L1: putstatic Field JavaArrayBasicosRecorrerlos1 f I
L4: iconst_0
L5: putstatic Field JavaArrayBasicosRecorrerlos1 cont I
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: putstatic Field JavaArrayBasicosRecorrerlos1 SC Ljava/util/Scanner;
L21: return
L22:
.linenumbertable
L0 14
L4 15
L8 16
.end linenumbertable
.end code
.end method
.sourcefile 'JavaArrayBasicosRecorrerlos1.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 18:21:00 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class JavaArrayBasicosRecorrerlos1_ESTest extends JavaArrayBasicosRecorrerlos1_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
JavaArrayBasicosRecorrerlos1 javaArrayBasicosRecorrerlos1_0 = new JavaArrayBasicosRecorrerlos1();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 18:21:00 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class JavaArrayBasicosRecorrerlos1_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "JavaArrayBasicosRecorrerlos1";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
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/tmp98nmy9kg");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(JavaArrayBasicosRecorrerlos1_ESTest_scaffolding.class.getClassLoader() ,
"JavaArrayBasicosRecorrerlos1"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(JavaArrayBasicosRecorrerlos1_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"JavaArrayBasicosRecorrerlos1"
);
}
}
| 4,953 |
Production9765 | public class Production9765 {
private String property0;
public String getProperty0() {
return property0;
}
public void setProperty0(String value) {
property0 = value;
}
private String property1;
public String getProperty1() {
return property1;
}
public void setProperty1(String value) {
property1 = value;
}
private String property2;
public String getProperty2() {
return property2;
}
public void setProperty2(String value) {
property2 = value;
}
private String property3;
public String getProperty3() {
return property3;
}
public void setProperty3(String value) {
property3 = value;
}
private String property4;
public String getProperty4() {
return property4;
}
public void setProperty4(String value) {
property4 = value;
}
private String property5;
public String getProperty5() {
return property5;
}
public void setProperty5(String value) {
property5 = value;
}
private String property6;
public String getProperty6() {
return property6;
}
public void setProperty6(String value) {
property6 = value;
}
private String property7;
public String getProperty7() {
return property7;
}
public void setProperty7(String value) {
property7 = value;
}
private String property8;
public String getProperty8() {
return property8;
}
public void setProperty8(String value) {
property8 = value;
}
private String property9;
public String getProperty9() {
return property9;
}
public void setProperty9(String value) {
property9 = value;
}
}
| .version 52 0
.class public super Production9765
.super java/lang/Object
.field private property0 Ljava/lang/String;
.field private property1 Ljava/lang/String;
.field private property2 Ljava/lang/String;
.field private property3 Ljava/lang/String;
.field private property4 Ljava/lang/String;
.field private property5 Ljava/lang/String;
.field private property6 Ljava/lang/String;
.field private property7 Ljava/lang/String;
.field private property8 Ljava/lang/String;
.field private property9 Ljava/lang/String;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 3
.end linenumbertable
.end code
.end method
.method public getProperty0 : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Production9765 property0 Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 8
.end linenumbertable
.end code
.end method
.method public setProperty0 : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Production9765 property0 Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 12
L5 13
.end linenumbertable
.end code
.end method
.method public getProperty1 : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Production9765 property1 Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 18
.end linenumbertable
.end code
.end method
.method public setProperty1 : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Production9765 property1 Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 22
L5 23
.end linenumbertable
.end code
.end method
.method public getProperty2 : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Production9765 property2 Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 28
.end linenumbertable
.end code
.end method
.method public setProperty2 : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Production9765 property2 Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 32
L5 33
.end linenumbertable
.end code
.end method
.method public getProperty3 : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Production9765 property3 Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 38
.end linenumbertable
.end code
.end method
.method public setProperty3 : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Production9765 property3 Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 42
L5 43
.end linenumbertable
.end code
.end method
.method public getProperty4 : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Production9765 property4 Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 48
.end linenumbertable
.end code
.end method
.method public setProperty4 : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Production9765 property4 Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 52
L5 53
.end linenumbertable
.end code
.end method
.method public getProperty5 : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Production9765 property5 Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 58
.end linenumbertable
.end code
.end method
.method public setProperty5 : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Production9765 property5 Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 62
L5 63
.end linenumbertable
.end code
.end method
.method public getProperty6 : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Production9765 property6 Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 68
.end linenumbertable
.end code
.end method
.method public setProperty6 : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Production9765 property6 Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 72
L5 73
.end linenumbertable
.end code
.end method
.method public getProperty7 : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Production9765 property7 Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 78
.end linenumbertable
.end code
.end method
.method public setProperty7 : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Production9765 property7 Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 82
L5 83
.end linenumbertable
.end code
.end method
.method public getProperty8 : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Production9765 property8 Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 88
.end linenumbertable
.end code
.end method
.method public setProperty8 : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Production9765 property8 Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 92
L5 93
.end linenumbertable
.end code
.end method
.method public getProperty9 : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Production9765 property9 Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 98
.end linenumbertable
.end code
.end method
.method public setProperty9 : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Production9765 property9 Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 102
L5 103
.end linenumbertable
.end code
.end method
.sourcefile 'Production9765.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 05:32: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 Production9765_ESTest extends Production9765_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
Production9765 production9765_0 = new Production9765();
production9765_0.setProperty9("");
String string0 = production9765_0.getProperty9();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
Production9765 production9765_0 = new Production9765();
production9765_0.setProperty8("Production9765");
String string0 = production9765_0.getProperty8();
assertEquals("Production9765", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
Production9765 production9765_0 = new Production9765();
production9765_0.setProperty8("");
String string0 = production9765_0.getProperty8();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
Production9765 production9765_0 = new Production9765();
production9765_0.setProperty7("Hm%ib}m|xW=e6");
String string0 = production9765_0.getProperty7();
assertEquals("Hm%ib}m|xW=e6", string0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
Production9765 production9765_0 = new Production9765();
production9765_0.setProperty7("");
String string0 = production9765_0.getProperty7();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
Production9765 production9765_0 = new Production9765();
production9765_0.setProperty6("");
String string0 = production9765_0.getProperty6();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
Production9765 production9765_0 = new Production9765();
production9765_0.setProperty5("");
String string0 = production9765_0.getProperty5();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
Production9765 production9765_0 = new Production9765();
production9765_0.setProperty4("/Y5&JAyp");
String string0 = production9765_0.getProperty4();
assertEquals("/Y5&JAyp", string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
Production9765 production9765_0 = new Production9765();
production9765_0.setProperty4("");
String string0 = production9765_0.getProperty4();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
Production9765 production9765_0 = new Production9765();
production9765_0.setProperty3("Production9765");
String string0 = production9765_0.getProperty3();
assertEquals("Production9765", string0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
Production9765 production9765_0 = new Production9765();
production9765_0.setProperty2("");
String string0 = production9765_0.getProperty2();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
Production9765 production9765_0 = new Production9765();
production9765_0.setProperty1("v[kz;N y1H=g@^G");
String string0 = production9765_0.getProperty1();
assertEquals("v[kz;N y1H=g@^G", string0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
Production9765 production9765_0 = new Production9765();
production9765_0.setProperty0(":qd.B3MI*Cp");
String string0 = production9765_0.getProperty0();
assertEquals(":qd.B3MI*Cp", string0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
Production9765 production9765_0 = new Production9765();
String string0 = production9765_0.getProperty6();
assertNull(string0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
Production9765 production9765_0 = new Production9765();
String string0 = production9765_0.getProperty1();
assertNull(string0);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
Production9765 production9765_0 = new Production9765();
production9765_0.setProperty3("");
String string0 = production9765_0.getProperty3();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
Production9765 production9765_0 = new Production9765();
production9765_0.setProperty5("hB@m(!osuy}Tc");
String string0 = production9765_0.getProperty5();
assertEquals("hB@m(!osuy}Tc", string0);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
Production9765 production9765_0 = new Production9765();
String string0 = production9765_0.getProperty5();
assertNull(string0);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
Production9765 production9765_0 = new Production9765();
String string0 = production9765_0.getProperty0();
assertNull(string0);
}
@Test(timeout = 4000)
public void test19() throws Throwable {
Production9765 production9765_0 = new Production9765();
production9765_0.setProperty9("^9F&");
String string0 = production9765_0.getProperty9();
assertEquals("^9F&", string0);
}
@Test(timeout = 4000)
public void test20() throws Throwable {
Production9765 production9765_0 = new Production9765();
String string0 = production9765_0.getProperty8();
assertNull(string0);
}
@Test(timeout = 4000)
public void test21() throws Throwable {
Production9765 production9765_0 = new Production9765();
String string0 = production9765_0.getProperty4();
assertNull(string0);
}
@Test(timeout = 4000)
public void test22() throws Throwable {
Production9765 production9765_0 = new Production9765();
String string0 = production9765_0.getProperty9();
assertNull(string0);
}
@Test(timeout = 4000)
public void test23() throws Throwable {
Production9765 production9765_0 = new Production9765();
production9765_0.setProperty6("Hm%ib}m|xW=e6");
String string0 = production9765_0.getProperty6();
assertEquals("Hm%ib}m|xW=e6", string0);
}
@Test(timeout = 4000)
public void test24() throws Throwable {
Production9765 production9765_0 = new Production9765();
String string0 = production9765_0.getProperty3();
assertNull(string0);
}
@Test(timeout = 4000)
public void test25() throws Throwable {
Production9765 production9765_0 = new Production9765();
production9765_0.setProperty0("");
String string0 = production9765_0.getProperty0();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test26() throws Throwable {
Production9765 production9765_0 = new Production9765();
String string0 = production9765_0.getProperty2();
assertNull(string0);
}
@Test(timeout = 4000)
public void test27() throws Throwable {
Production9765 production9765_0 = new Production9765();
String string0 = production9765_0.getProperty7();
assertNull(string0);
}
@Test(timeout = 4000)
public void test28() throws Throwable {
Production9765 production9765_0 = new Production9765();
production9765_0.setProperty1("");
String string0 = production9765_0.getProperty1();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test29() throws Throwable {
Production9765 production9765_0 = new Production9765();
production9765_0.setProperty2("SuYJGB;I>$G nOWqi#]");
String string0 = production9765_0.getProperty2();
assertEquals("SuYJGB;I>$G nOWqi#]", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 05:32: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 Production9765_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Production9765";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp7wcrn31u");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Production9765_ESTest_scaffolding.class.getClassLoader() ,
"Production9765"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Production9765_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Production9765"
);
}
}
| 4,954 |
Activation | /** Copyright (c) 2015, www.cubbery.com. All rights reserved. */
/**
* <b>项目名</b>: rule-parent <br>
* <b>包名称</b>: com.cubbery.rule.core <br>
* <b>类名称</b>: Activation <br>
* <b>类描述</b>: <br>
* <b>创建人</b>: <a href="mailto:[email protected]">cubber[百墨]</a> <br>
* <b>修改人</b>: <br>
* <b>创建时间</b>: 2015/12/3 <br>
* <b>修改时间</b>: <br>
* <b>修改备注</b>: <br>
*
* @version 1.0.0 <br>
*/
public class Activation {
private String ruleName;
public Activation() {}
public Activation(String ruleName) {
this.ruleName = ruleName;
}
public String getRuleName() {
return ruleName;
}
public void setRuleName(String ruleName) {
this.ruleName = ruleName;
}
}
| .version 52 0
.class public super Activation
.super java/lang/Object
.field private ruleName 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 22
L4 23
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field Activation ruleName Ljava/lang/String;
L9: return
L10:
.linenumbertable
L0 25
L4 26
L9 27
.end linenumbertable
.end code
.end method
.method public getRuleName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Activation ruleName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 30
.end linenumbertable
.end code
.end method
.method public setRuleName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Activation ruleName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 34
L5 35
.end linenumbertable
.end code
.end method
.sourcefile 'Activation.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 01:30: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 Activation_ESTest extends Activation_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Activation activation0 = new Activation();
String string0 = activation0.getRuleName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Activation activation0 = new Activation("CL8/$. Hkm79");
activation0.setRuleName("");
String string0 = activation0.getRuleName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Activation activation0 = new Activation("CL8/$. Hkm79");
String string0 = activation0.getRuleName();
assertEquals("CL8/$. Hkm79", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 01:30: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 Activation_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Activation";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp6u72uen2");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Activation_ESTest_scaffolding.class.getClassLoader() ,
"Activation"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Activation_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Activation"
);
}
}
| 4,955 |
ContactEntity | /**
* Copyright (C) 2015 Cesar Valiente ([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.
*/
/** Created by Cesar on 05/09/15. */
public class ContactEntity {
private String id;
private String name;
private String email;
private String phone;
public ContactEntity(String id, String name, String phone) {
this.id = id;
this.name = name;
this.phone = phone;
}
public String getId() {
return id;
}
public void setId(String id) {
this.id = id;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
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;
}
@Override
public String toString() {
StringBuilder builder = new StringBuilder("ContactEntity --> ");
builder.append(name).append(" - ").append(email).append(" - ").append(phone);
return builder.toString();
}
}
| .version 52 0
.class public super ContactEntity
.super java/lang/Object
.field private id Ljava/lang/String;
.field private name Ljava/lang/String;
.field private email Ljava/lang/String;
.field private phone Ljava/lang/String;
.method public <init> : (Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V
.code stack 2 locals 4
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field ContactEntity id Ljava/lang/String;
L9: aload_0
L10: aload_2
L11: putfield Field ContactEntity name Ljava/lang/String;
L14: aload_0
L15: aload_3
L16: putfield Field ContactEntity phone Ljava/lang/String;
L19: return
L20:
.linenumbertable
L0 28
L4 29
L9 30
L14 31
L19 32
.end linenumbertable
.end code
.end method
.method public getId : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ContactEntity id Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 35
.end linenumbertable
.end code
.end method
.method public setId : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field ContactEntity id Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 39
L5 40
.end linenumbertable
.end code
.end method
.method public getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ContactEntity name Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 43
.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 ContactEntity name Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 47
L5 48
.end linenumbertable
.end code
.end method
.method public getEmail : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ContactEntity email Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 51
.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 ContactEntity email Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 55
L5 56
.end linenumbertable
.end code
.end method
.method public getPhone : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ContactEntity phone Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 59
.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 ContactEntity phone Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 63
L5 64
.end linenumbertable
.end code
.end method
.method public toString : ()Ljava/lang/String;
.code stack 3 locals 2
L0: new java/lang/StringBuilder
L3: dup
L4: ldc 'ContactEntity --> '
L6: invokespecial Method java/lang/StringBuilder <init> (Ljava/lang/String;)V
L9: astore_1
L10: aload_1
L11: aload_0
L12: getfield Field ContactEntity name Ljava/lang/String;
L15: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L18: ldc ' - '
L20: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L23: aload_0
L24: getfield Field ContactEntity email Ljava/lang/String;
L27: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L30: ldc ' - '
L32: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L35: aload_0
L36: getfield Field ContactEntity phone Ljava/lang/String;
L39: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L42: pop
L43: aload_1
L44: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L47: areturn
L48:
.linenumbertable
L0 68
L10 69
L43 70
.end linenumbertable
.end code
.end method
.sourcefile 'ContactEntity.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 14:14: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 ContactEntity_ESTest extends ContactEntity_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
ContactEntity contactEntity0 = new ContactEntity("rK{M+MtOI", "", (String) null);
String string0 = contactEntity0.getPhone();
assertNull(string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
ContactEntity contactEntity0 = new ContactEntity("", "", "");
String string0 = contactEntity0.getPhone();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
ContactEntity contactEntity0 = new ContactEntity((String) null, (String) null, (String) null);
String string0 = contactEntity0.getName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
ContactEntity contactEntity0 = new ContactEntity("", "", "");
String string0 = contactEntity0.getName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
ContactEntity contactEntity0 = new ContactEntity((String) null, (String) null, (String) null);
String string0 = contactEntity0.getId();
assertNull(string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
ContactEntity contactEntity0 = new ContactEntity("", "", "");
String string0 = contactEntity0.getId();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
ContactEntity contactEntity0 = new ContactEntity("", "", "");
contactEntity0.setEmail("*hVA{7?eo6w>on1u");
String string0 = contactEntity0.getEmail();
assertEquals("*hVA{7?eo6w>on1u", string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
ContactEntity contactEntity0 = new ContactEntity((String) null, "", "`uWq");
contactEntity0.setEmail("");
String string0 = contactEntity0.getEmail();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
ContactEntity contactEntity0 = new ContactEntity("9?Z`G,}<n!*[JO*\"~", "9?Z`G,}<n!*[JO*\"~", "9?Z`G,}<n!*[JO*\"~");
String string0 = contactEntity0.getEmail();
assertNull(string0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
ContactEntity contactEntity0 = new ContactEntity("9?Z`G,}<n!*[JO*\"~", "9?Z`G,}<n!*[JO*\"~", "9?Z`G,}<n!*[JO*\"~");
contactEntity0.setName("ContactEntity --> 9?Z`G,}<n!*[JO*\"~ - null - 9?Z`G,}<n!*[JO*\"~");
assertEquals("ContactEntity --> 9?Z`G,}<n!*[JO*\"~ - null - 9?Z`G,}<n!*[JO*\"~", contactEntity0.getName());
}
@Test(timeout = 4000)
public void test10() throws Throwable {
ContactEntity contactEntity0 = new ContactEntity("9?Z`G,}<n!*[JO*\"~", "9?Z`G,}<n!*[JO*\"~", "9?Z`G,}<n!*[JO*\"~");
contactEntity0.setPhone("ContactEntity --> 9?Z`G,}<n!*[JO*\"~ - null - 9?Z`G,}<n!*[JO*\"~");
assertNull(contactEntity0.getEmail());
}
@Test(timeout = 4000)
public void test11() throws Throwable {
ContactEntity contactEntity0 = new ContactEntity("9?Z`G,}<n!*[JO*\"~", "9?Z`G,}<n!*[JO*\"~", "9?Z`G,}<n!*[JO*\"~");
String string0 = contactEntity0.toString();
assertEquals("ContactEntity --> 9?Z`G,}<n!*[JO*\"~ - null - 9?Z`G,}<n!*[JO*\"~", string0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
ContactEntity contactEntity0 = new ContactEntity("9?Z`G,}<n!*[JO*\"~", "9?Z`G,}<n!*[JO*\"~", "9?Z`G,}<n!*[JO*\"~");
String string0 = contactEntity0.getName();
assertEquals("9?Z`G,}<n!*[JO*\"~", string0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
ContactEntity contactEntity0 = new ContactEntity("9?Z`G,}<n!*[JO*\"~", "9?Z`G,}<n!*[JO*\"~", "9?Z`G,}<n!*[JO*\"~");
String string0 = contactEntity0.getId();
assertEquals("9?Z`G,}<n!*[JO*\"~", string0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
ContactEntity contactEntity0 = new ContactEntity("9?Z`G,}<n!*[JO*\"~", "9?Z`G,}<n!*[JO*\"~", "9?Z`G,}<n!*[JO*\"~");
contactEntity0.setId((String) null);
assertEquals("9?Z`G,}<n!*[JO*\"~", contactEntity0.getPhone());
}
@Test(timeout = 4000)
public void test15() throws Throwable {
ContactEntity contactEntity0 = new ContactEntity("9?Z`G,}<n!*[JO*\"~", "9?Z`G,}<n!*[JO*\"~", "9?Z`G,}<n!*[JO*\"~");
String string0 = contactEntity0.getPhone();
assertEquals("9?Z`G,}<n!*[JO*\"~", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 14:14: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 ContactEntity_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ContactEntity";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpunrasn45");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ContactEntity_ESTest_scaffolding.class.getClassLoader() ,
"ContactEntity"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ContactEntity_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ContactEntity"
);
}
}
| 4,956 |
ListWildcards | import java.util.*;
public class ListWildcards {
public static void printList(List<?> list) {
for (Object element : list) {
System.out.println(element);
}
}
public static void main(String[] args) {
List<String> ls = new ArrayList<String>();
ls.add("One");
ls.add("Two");
ls.add("Three");
List<Integer> li = new ArrayList<Integer>();
li.add(new Integer(100));
li.add(new Integer(200));
li.add(new Integer(300));
List rawList = new ArrayList();
rawList.add(new String("XYZ"));
rawList.add(new Integer(10));
printList(ls);
printList(li);
printList(rawList);
}
}
| .version 52 0
.class public super ListWildcards
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 4
.end linenumbertable
.end code
.end method
.method public static printList : (Ljava/util/List;)V
.code stack 2 locals 3
L0: aload_0
L1: invokeinterface InterfaceMethod java/util/List iterator ()Ljava/util/Iterator; 1
L6: astore_1
.stack append Object java/util/Iterator
L7: aload_1
L8: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1
L13: ifeq L33
L16: aload_1
L17: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1
L22: astore_2
L23: getstatic Field java/lang/System out Ljava/io/PrintStream;
L26: aload_2
L27: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V
L30: goto L7
.stack chop 1
L33: return
L34:
.linenumbertable
L0 6
L23 7
L30 8
L33 9
.end linenumbertable
.end code
.signature (Ljava/util/List<*>;)V
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 4 locals 4
L0: new java/util/ArrayList
L3: dup
L4: invokespecial Method java/util/ArrayList <init> ()V
L7: astore_1
L8: aload_1
L9: ldc 'One'
L11: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L16: pop
L17: aload_1
L18: ldc 'Two'
L20: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L25: pop
L26: aload_1
L27: ldc 'Three'
L29: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L34: pop
L35: new java/util/ArrayList
L38: dup
L39: invokespecial Method java/util/ArrayList <init> ()V
L42: astore_2
L43: aload_2
L44: new java/lang/Integer
L47: dup
L48: bipush 100
L50: invokespecial Method java/lang/Integer <init> (I)V
L53: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L58: pop
L59: aload_2
L60: new java/lang/Integer
L63: dup
L64: sipush 200
L67: invokespecial Method java/lang/Integer <init> (I)V
L70: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L75: pop
L76: aload_2
L77: new java/lang/Integer
L80: dup
L81: sipush 300
L84: invokespecial Method java/lang/Integer <init> (I)V
L87: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L92: pop
L93: new java/util/ArrayList
L96: dup
L97: invokespecial Method java/util/ArrayList <init> ()V
L100: astore_3
L101: aload_3
L102: new java/lang/String
L105: dup
L106: ldc 'XYZ'
L108: invokespecial Method java/lang/String <init> (Ljava/lang/String;)V
L111: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L116: pop
L117: aload_3
L118: new java/lang/Integer
L121: dup
L122: bipush 10
L124: invokespecial Method java/lang/Integer <init> (I)V
L127: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L132: pop
L133: aload_1
L134: invokestatic Method ListWildcards printList (Ljava/util/List;)V
L137: aload_2
L138: invokestatic Method ListWildcards printList (Ljava/util/List;)V
L141: aload_3
L142: invokestatic Method ListWildcards printList (Ljava/util/List;)V
L145: return
L146:
.linenumbertable
L0 11
L8 12
L17 13
L26 14
L35 16
L43 17
L59 18
L76 19
L93 21
L101 22
L117 23
L133 25
L137 26
L141 27
L145 29
.end linenumbertable
.end code
.end method
.sourcefile 'ListWildcards.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 11:18:41 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.util.LinkedList;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class ListWildcards_ESTest extends ListWildcards_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
LinkedList<String> linkedList0 = new LinkedList<String>();
linkedList0.push("y|T^7N5-O{Ap0T @Y9");
ListWildcards.printList(linkedList0);
assertTrue(linkedList0.contains("y|T^7N5-O{Ap0T @Y9"));
}
@Test(timeout = 4000)
public void test1() throws Throwable {
String[] stringArray0 = new String[7];
ListWildcards.main(stringArray0);
assertEquals(7, stringArray0.length);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
ListWildcards listWildcards0 = new ListWildcards();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 11:18: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 ListWildcards_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ListWildcards";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpykkib2z_");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ListWildcards_ESTest_scaffolding.class.getClassLoader() ,
"ListWildcards"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ListWildcards_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ListWildcards"
);
}
}
| 4,957 |
SetCatch | /*
* Copyright (C) 2011 Secretariat of the Pacific Community
*
* This file is part of TUBS.
*
* TUBS 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.
*
* TUBS 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 TUBS. If not, see <http://www.gnu.org/licenses/>.
*/
/**
* @author Corey Cole <[email protected]>
*/
public class SetCatch {
private long id;
private long tripId;
private long dayLogId;
private String sp_id;
private Boolean largefish;
private String fate_id;
private String cond_id;
private Boolean yesno;
private Double perc_totca;
private Double sp_c;
private Double sp_c_ves;
private Double sp_c_spcom;
private Integer sp_n;
private Double sp_w_l;
private Double sp_w_h;
private Integer av_len;
private Integer vesslog;
private String comments;
private String tags;
private Double sp_w_est;
private Integer sp_w_id;
private Double sp_c_est;
private Integer sp_c_id;
private Integer sp_n_est;
public long getId() {
return id;
}
public void setId(long id) {
this.id = id;
}
public long getTripId() {
return tripId;
}
public void setTripId(long tripId) {
this.tripId = tripId;
}
public long getDayLogId() {
return dayLogId;
}
public void setDayLogId(long dayLogId) {
this.dayLogId = dayLogId;
}
public String getSp_id() {
return sp_id;
}
public void setSp_id(String sp_id) {
this.sp_id = sp_id;
}
public Boolean getLargefish() {
return largefish;
}
public void setLargefish(Boolean largefish) {
this.largefish = largefish;
}
public String getFate_id() {
return fate_id;
}
public void setFate_id(String fate_id) {
this.fate_id = fate_id;
}
public String getCond_id() {
return cond_id;
}
public void setCond_id(String cond_id) {
this.cond_id = cond_id;
}
public Boolean getYesno() {
return yesno;
}
public void setYesno(Boolean yesno) {
this.yesno = yesno;
}
public Double getPerc_totca() {
return perc_totca;
}
public void setPerc_totca(Double perc_totca) {
this.perc_totca = perc_totca;
}
public Double getSp_c() {
return sp_c;
}
public void setSp_c(Double sp_c) {
this.sp_c = sp_c;
}
public Double getSp_c_ves() {
return sp_c_ves;
}
public void setSp_c_ves(Double sp_c_ves) {
this.sp_c_ves = sp_c_ves;
}
public Double getSp_c_spcom() {
return sp_c_spcom;
}
public void setSp_c_spcom(Double sp_c_spcom) {
this.sp_c_spcom = sp_c_spcom;
}
public Integer getSp_n() {
return sp_n;
}
public void setSp_n(Integer sp_n) {
this.sp_n = sp_n;
}
public Double getSp_w_l() {
return sp_w_l;
}
public void setSp_w_l(Double sp_w_l) {
this.sp_w_l = sp_w_l;
}
public Double getSp_w_h() {
return sp_w_h;
}
public void setSp_w_h(Double sp_w_h) {
this.sp_w_h = sp_w_h;
}
public Integer getAv_len() {
return av_len;
}
public void setAv_len(Integer av_len) {
this.av_len = av_len;
}
public Integer getVesslog() {
return vesslog;
}
public void setVesslog(Integer vesslog) {
this.vesslog = vesslog;
}
public String getComments() {
return comments;
}
public void setComments(String comments) {
this.comments = comments;
}
public String getTags() {
return tags;
}
public void setTags(String tags) {
this.tags = tags;
}
public Double getSp_w_est() {
return sp_w_est;
}
public void setSp_w_est(Double sp_w_est) {
this.sp_w_est = sp_w_est;
}
public Integer getSp_w_id() {
return sp_w_id;
}
public void setSp_w_id(Integer sp_w_id) {
this.sp_w_id = sp_w_id;
}
public Double getSp_c_est() {
return sp_c_est;
}
public void setSp_c_est(Double sp_c_est) {
this.sp_c_est = sp_c_est;
}
public Integer getSp_c_id() {
return sp_c_id;
}
public void setSp_c_id(Integer sp_c_id) {
this.sp_c_id = sp_c_id;
}
public Integer getSp_n_est() {
return sp_n_est;
}
public void setSp_n_est(Integer sp_n_est) {
this.sp_n_est = sp_n_est;
}
}
| .version 52 0
.class public super SetCatch
.super java/lang/Object
.field private id J
.field private tripId J
.field private dayLogId J
.field private sp_id Ljava/lang/String;
.field private largefish Ljava/lang/Boolean;
.field private fate_id Ljava/lang/String;
.field private cond_id Ljava/lang/String;
.field private yesno Ljava/lang/Boolean;
.field private perc_totca Ljava/lang/Double;
.field private sp_c Ljava/lang/Double;
.field private sp_c_ves Ljava/lang/Double;
.field private sp_c_spcom Ljava/lang/Double;
.field private sp_n Ljava/lang/Integer;
.field private sp_w_l Ljava/lang/Double;
.field private sp_w_h Ljava/lang/Double;
.field private av_len Ljava/lang/Integer;
.field private vesslog Ljava/lang/Integer;
.field private comments Ljava/lang/String;
.field private tags Ljava/lang/String;
.field private sp_w_est Ljava/lang/Double;
.field private sp_w_id Ljava/lang/Integer;
.field private sp_c_est Ljava/lang/Double;
.field private sp_c_id Ljava/lang/Integer;
.field private sp_n_est Ljava/lang/Integer;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 25
.end linenumbertable
.end code
.end method
.method public getId : ()J
.code stack 2 locals 1
L0: aload_0
L1: getfield Field SetCatch id J
L4: lreturn
L5:
.linenumbertable
L0 53
.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 SetCatch id J
L5: return
L6:
.linenumbertable
L0 56
L5 57
.end linenumbertable
.end code
.end method
.method public getTripId : ()J
.code stack 2 locals 1
L0: aload_0
L1: getfield Field SetCatch tripId J
L4: lreturn
L5:
.linenumbertable
L0 59
.end linenumbertable
.end code
.end method
.method public setTripId : (J)V
.code stack 3 locals 3
L0: aload_0
L1: lload_1
L2: putfield Field SetCatch tripId J
L5: return
L6:
.linenumbertable
L0 62
L5 63
.end linenumbertable
.end code
.end method
.method public getDayLogId : ()J
.code stack 2 locals 1
L0: aload_0
L1: getfield Field SetCatch dayLogId J
L4: lreturn
L5:
.linenumbertable
L0 65
.end linenumbertable
.end code
.end method
.method public setDayLogId : (J)V
.code stack 3 locals 3
L0: aload_0
L1: lload_1
L2: putfield Field SetCatch dayLogId J
L5: return
L6:
.linenumbertable
L0 68
L5 69
.end linenumbertable
.end code
.end method
.method public getSp_id : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SetCatch sp_id Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 71
.end linenumbertable
.end code
.end method
.method public setSp_id : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field SetCatch sp_id Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 74
L5 75
.end linenumbertable
.end code
.end method
.method public getLargefish : ()Ljava/lang/Boolean;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SetCatch largefish Ljava/lang/Boolean;
L4: areturn
L5:
.linenumbertable
L0 77
.end linenumbertable
.end code
.end method
.method public setLargefish : (Ljava/lang/Boolean;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field SetCatch largefish Ljava/lang/Boolean;
L5: return
L6:
.linenumbertable
L0 80
L5 81
.end linenumbertable
.end code
.end method
.method public getFate_id : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SetCatch fate_id Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 83
.end linenumbertable
.end code
.end method
.method public setFate_id : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field SetCatch fate_id Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 86
L5 87
.end linenumbertable
.end code
.end method
.method public getCond_id : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SetCatch cond_id Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 89
.end linenumbertable
.end code
.end method
.method public setCond_id : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field SetCatch cond_id Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 92
L5 93
.end linenumbertable
.end code
.end method
.method public getYesno : ()Ljava/lang/Boolean;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SetCatch yesno Ljava/lang/Boolean;
L4: areturn
L5:
.linenumbertable
L0 95
.end linenumbertable
.end code
.end method
.method public setYesno : (Ljava/lang/Boolean;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field SetCatch yesno Ljava/lang/Boolean;
L5: return
L6:
.linenumbertable
L0 98
L5 99
.end linenumbertable
.end code
.end method
.method public getPerc_totca : ()Ljava/lang/Double;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SetCatch perc_totca Ljava/lang/Double;
L4: areturn
L5:
.linenumbertable
L0 101
.end linenumbertable
.end code
.end method
.method public setPerc_totca : (Ljava/lang/Double;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field SetCatch perc_totca Ljava/lang/Double;
L5: return
L6:
.linenumbertable
L0 104
L5 105
.end linenumbertable
.end code
.end method
.method public getSp_c : ()Ljava/lang/Double;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SetCatch sp_c Ljava/lang/Double;
L4: areturn
L5:
.linenumbertable
L0 107
.end linenumbertable
.end code
.end method
.method public setSp_c : (Ljava/lang/Double;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field SetCatch sp_c Ljava/lang/Double;
L5: return
L6:
.linenumbertable
L0 110
L5 111
.end linenumbertable
.end code
.end method
.method public getSp_c_ves : ()Ljava/lang/Double;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SetCatch sp_c_ves Ljava/lang/Double;
L4: areturn
L5:
.linenumbertable
L0 113
.end linenumbertable
.end code
.end method
.method public setSp_c_ves : (Ljava/lang/Double;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field SetCatch sp_c_ves Ljava/lang/Double;
L5: return
L6:
.linenumbertable
L0 116
L5 117
.end linenumbertable
.end code
.end method
.method public getSp_c_spcom : ()Ljava/lang/Double;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SetCatch sp_c_spcom Ljava/lang/Double;
L4: areturn
L5:
.linenumbertable
L0 119
.end linenumbertable
.end code
.end method
.method public setSp_c_spcom : (Ljava/lang/Double;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field SetCatch sp_c_spcom Ljava/lang/Double;
L5: return
L6:
.linenumbertable
L0 122
L5 123
.end linenumbertable
.end code
.end method
.method public getSp_n : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SetCatch sp_n Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 125
.end linenumbertable
.end code
.end method
.method public setSp_n : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field SetCatch sp_n Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 128
L5 129
.end linenumbertable
.end code
.end method
.method public getSp_w_l : ()Ljava/lang/Double;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SetCatch sp_w_l Ljava/lang/Double;
L4: areturn
L5:
.linenumbertable
L0 131
.end linenumbertable
.end code
.end method
.method public setSp_w_l : (Ljava/lang/Double;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field SetCatch sp_w_l Ljava/lang/Double;
L5: return
L6:
.linenumbertable
L0 134
L5 135
.end linenumbertable
.end code
.end method
.method public getSp_w_h : ()Ljava/lang/Double;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SetCatch sp_w_h Ljava/lang/Double;
L4: areturn
L5:
.linenumbertable
L0 137
.end linenumbertable
.end code
.end method
.method public setSp_w_h : (Ljava/lang/Double;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field SetCatch sp_w_h Ljava/lang/Double;
L5: return
L6:
.linenumbertable
L0 140
L5 141
.end linenumbertable
.end code
.end method
.method public getAv_len : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SetCatch av_len Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 143
.end linenumbertable
.end code
.end method
.method public setAv_len : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field SetCatch av_len Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 146
L5 147
.end linenumbertable
.end code
.end method
.method public getVesslog : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SetCatch vesslog Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 149
.end linenumbertable
.end code
.end method
.method public setVesslog : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field SetCatch vesslog Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 152
L5 153
.end linenumbertable
.end code
.end method
.method public getComments : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SetCatch comments Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 155
.end linenumbertable
.end code
.end method
.method public setComments : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field SetCatch comments Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 158
L5 159
.end linenumbertable
.end code
.end method
.method public getTags : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SetCatch tags Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 161
.end linenumbertable
.end code
.end method
.method public setTags : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field SetCatch tags Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 164
L5 165
.end linenumbertable
.end code
.end method
.method public getSp_w_est : ()Ljava/lang/Double;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SetCatch sp_w_est Ljava/lang/Double;
L4: areturn
L5:
.linenumbertable
L0 167
.end linenumbertable
.end code
.end method
.method public setSp_w_est : (Ljava/lang/Double;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field SetCatch sp_w_est Ljava/lang/Double;
L5: return
L6:
.linenumbertable
L0 170
L5 171
.end linenumbertable
.end code
.end method
.method public getSp_w_id : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SetCatch sp_w_id Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 173
.end linenumbertable
.end code
.end method
.method public setSp_w_id : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field SetCatch sp_w_id Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 176
L5 177
.end linenumbertable
.end code
.end method
.method public getSp_c_est : ()Ljava/lang/Double;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SetCatch sp_c_est Ljava/lang/Double;
L4: areturn
L5:
.linenumbertable
L0 179
.end linenumbertable
.end code
.end method
.method public setSp_c_est : (Ljava/lang/Double;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field SetCatch sp_c_est Ljava/lang/Double;
L5: return
L6:
.linenumbertable
L0 182
L5 183
.end linenumbertable
.end code
.end method
.method public getSp_c_id : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SetCatch sp_c_id Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 185
.end linenumbertable
.end code
.end method
.method public setSp_c_id : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field SetCatch sp_c_id Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 188
L5 189
.end linenumbertable
.end code
.end method
.method public getSp_n_est : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SetCatch sp_n_est Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 191
.end linenumbertable
.end code
.end method
.method public setSp_n_est : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field SetCatch sp_n_est Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 194
L5 195
.end linenumbertable
.end code
.end method
.sourcefile 'SetCatch.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 14:44: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 SetCatch_ESTest extends SetCatch_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Boolean boolean0 = new Boolean(true);
setCatch0.setYesno(boolean0);
Boolean boolean1 = setCatch0.getYesno();
assertTrue(boolean1);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Boolean boolean0 = new Boolean("]`jg(");
setCatch0.setYesno(boolean0);
Boolean boolean1 = setCatch0.getYesno();
assertFalse(boolean1);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Integer integer0 = new Integer(0);
setCatch0.setVesslog(integer0);
Integer integer1 = setCatch0.getVesslog();
assertEquals(0, (int)integer1);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Integer integer0 = new Integer(1);
setCatch0.setVesslog(integer0);
Integer integer1 = setCatch0.getVesslog();
assertEquals(1, (int)integer1);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Integer integer0 = new Integer((-67686));
setCatch0.setVesslog(integer0);
Integer integer1 = setCatch0.getVesslog();
assertEquals((-67686), (int)integer1);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
SetCatch setCatch0 = new SetCatch();
setCatch0.setTripId(87750L);
long long0 = setCatch0.getTripId();
assertEquals(87750L, long0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
SetCatch setCatch0 = new SetCatch();
setCatch0.setTripId((-29L));
long long0 = setCatch0.getTripId();
assertEquals((-29L), long0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
SetCatch setCatch0 = new SetCatch();
setCatch0.setTags("");
String string0 = setCatch0.getTags();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = new Double(0.0);
setCatch0.setSp_w_l(double0);
Double double1 = setCatch0.getSp_w_l();
assertEquals(0.0, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = new Double(0.2110634586062417);
setCatch0.setSp_w_l(double0);
Double double1 = setCatch0.getSp_w_l();
assertEquals(0.2110634586062417, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = new Double(65548);
setCatch0.setSp_w_l(double0);
Double double1 = setCatch0.getSp_w_l();
assertEquals(65548.0, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Integer integer0 = new Integer(0);
setCatch0.setSp_w_id(integer0);
Integer integer1 = setCatch0.getSp_w_id();
assertEquals(0, (int)integer1);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Integer integer0 = Integer.valueOf((-21479));
setCatch0.setSp_w_id(integer0);
Integer integer1 = setCatch0.getSp_w_id();
assertEquals((-21479), (int)integer1);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Integer integer0 = new Integer(6644);
setCatch0.setSp_w_id(integer0);
Integer integer1 = setCatch0.getSp_w_id();
assertEquals(6644, (int)integer1);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = new Double((-24830));
setCatch0.setSp_w_h(double0);
Double double1 = setCatch0.getSp_w_h();
assertEquals((-24830.0), (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = new Double(0.0);
setCatch0.setSp_w_h(double0);
Double double1 = setCatch0.getSp_w_h();
assertEquals(0.0, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = new Double(13143.771911);
setCatch0.setSp_w_h(double0);
Double double1 = setCatch0.getSp_w_h();
assertEquals(13143.771911, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = new Double(15793.484);
setCatch0.setSp_w_h(double0);
Double double1 = setCatch0.getSp_w_h();
assertEquals(15793.484, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = new Double((-1.0));
setCatch0.setSp_w_est(double0);
Double double1 = setCatch0.getSp_w_est();
assertEquals((-1.0), (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test19() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = new Double(0.0);
setCatch0.setSp_w_est(double0);
Double double1 = setCatch0.getSp_w_est();
assertEquals(0.0, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test20() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = new Double((-41706.3640309021));
setCatch0.setSp_w_est(double0);
Double double1 = setCatch0.getSp_w_est();
assertEquals((-41706.3640309021), (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test21() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = new Double(18409L);
setCatch0.setSp_w_est(double0);
Double double1 = setCatch0.getSp_w_est();
assertEquals(18409.0, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test22() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Integer integer0 = new Integer((-1));
setCatch0.setSp_n_est(integer0);
Integer integer1 = setCatch0.getSp_n_est();
assertEquals((-1), (int)integer1);
}
@Test(timeout = 4000)
public void test23() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Integer integer0 = new Integer(0);
setCatch0.setSp_n_est(integer0);
Integer integer1 = setCatch0.getSp_n_est();
assertEquals(0, (int)integer1);
}
@Test(timeout = 4000)
public void test24() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Integer integer0 = new Integer(28989);
setCatch0.setSp_n_est(integer0);
Integer integer1 = setCatch0.getSp_n_est();
assertEquals(28989, (int)integer1);
}
@Test(timeout = 4000)
public void test25() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Integer integer0 = new Integer(0);
setCatch0.setSp_n(integer0);
Integer integer1 = setCatch0.getSp_n();
assertEquals(0, (int)integer1);
}
@Test(timeout = 4000)
public void test26() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Integer integer0 = new Integer(1);
setCatch0.setSp_n(integer0);
Integer integer1 = setCatch0.getSp_n();
assertEquals(1, (int)integer1);
}
@Test(timeout = 4000)
public void test27() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Integer integer0 = new Integer((-24433));
setCatch0.setSp_n(integer0);
Integer integer1 = setCatch0.getSp_n();
assertEquals((-24433), (int)integer1);
}
@Test(timeout = 4000)
public void test28() throws Throwable {
SetCatch setCatch0 = new SetCatch();
setCatch0.setSp_id(")=fgnhOb^pHj{9y|]");
String string0 = setCatch0.getSp_id();
assertEquals(")=fgnhOb^pHj{9y|]", string0);
}
@Test(timeout = 4000)
public void test29() throws Throwable {
SetCatch setCatch0 = new SetCatch();
setCatch0.setSp_id("");
String string0 = setCatch0.getSp_id();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test30() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = new Double(1.0);
setCatch0.setSp_c_ves(double0);
Double double1 = setCatch0.getSp_c_ves();
assertEquals(1.0, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test31() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = new Double(0L);
setCatch0.setSp_c_ves(double0);
Double double1 = setCatch0.getSp_c_ves();
assertEquals(0.0, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test32() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = new Double(48768.787);
setCatch0.setSp_c_ves(double0);
Double double1 = setCatch0.getSp_c_ves();
assertEquals(48768.787, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test33() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = new Double(59811.845231);
setCatch0.setSp_c_spcom(double0);
Double double1 = setCatch0.getSp_c_spcom();
assertEquals(59811.845231, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test34() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = new Double(0.0);
setCatch0.setSp_c_spcom(double0);
Double double1 = setCatch0.getSp_c_spcom();
assertEquals(0.0, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test35() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = new Double((-41706.3640309021));
setCatch0.setSp_c_spcom(double0);
Double double1 = setCatch0.getSp_c_spcom();
assertEquals((-41706.3640309021), (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test36() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Integer integer0 = new Integer(0);
setCatch0.setSp_c_id(integer0);
Integer integer1 = setCatch0.getSp_c_id();
assertEquals(0, (int)integer1);
}
@Test(timeout = 4000)
public void test37() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Integer integer0 = new Integer(6);
setCatch0.setSp_c_id(integer0);
Integer integer1 = setCatch0.getSp_c_id();
assertEquals(6, (int)integer1);
}
@Test(timeout = 4000)
public void test38() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Integer integer0 = new Integer((-1));
setCatch0.setSp_c_id(integer0);
Integer integer1 = setCatch0.getSp_c_id();
assertEquals((-1), (int)integer1);
}
@Test(timeout = 4000)
public void test39() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = new Double(0.0);
setCatch0.setSp_c_est(double0);
Double double1 = setCatch0.getSp_c_est();
assertEquals(0.0, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test40() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = new Double(24851.846528417445);
setCatch0.setSp_c_est(double0);
Double double1 = setCatch0.getSp_c_est();
assertEquals(24851.846528417445, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test41() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = new Double((-13119.5));
setCatch0.setSp_c_est(double0);
Double double1 = setCatch0.getSp_c_est();
assertEquals((-13119.5), (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test42() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = new Double((-11395.070557));
setCatch0.setSp_c(double0);
Double double1 = setCatch0.getSp_c();
assertEquals((-11395.070557), (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test43() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = Double.valueOf(20887.211897);
setCatch0.setSp_c(double0);
Double double1 = setCatch0.getSp_c();
assertEquals(20887.211897, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test44() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = new Double((-91655.821));
setCatch0.setPerc_totca(double0);
Double double1 = setCatch0.getPerc_totca();
assertEquals((-91655.821), (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test45() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = new Double(0.0);
setCatch0.setPerc_totca(double0);
Double double1 = setCatch0.getPerc_totca();
assertEquals(0.0, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test46() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = new Double(1.0);
setCatch0.setPerc_totca(double0);
Double double1 = setCatch0.getPerc_totca();
assertEquals(1.0, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test47() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Boolean boolean0 = new Boolean(true);
setCatch0.setLargefish(boolean0);
Boolean boolean1 = setCatch0.getLargefish();
assertTrue(boolean1);
}
@Test(timeout = 4000)
public void test48() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Boolean boolean0 = new Boolean((String) null);
setCatch0.setLargefish(boolean0);
Boolean boolean1 = setCatch0.getLargefish();
assertFalse(boolean1);
}
@Test(timeout = 4000)
public void test49() throws Throwable {
SetCatch setCatch0 = new SetCatch();
setCatch0.setId((-44142L));
long long0 = setCatch0.getId();
assertEquals((-44142L), long0);
}
@Test(timeout = 4000)
public void test50() throws Throwable {
SetCatch setCatch0 = new SetCatch();
setCatch0.setFate_id("et_5dTk{aT02w)aEf5");
String string0 = setCatch0.getFate_id();
assertEquals("et_5dTk{aT02w)aEf5", string0);
}
@Test(timeout = 4000)
public void test51() throws Throwable {
SetCatch setCatch0 = new SetCatch();
setCatch0.setDayLogId(1L);
long long0 = setCatch0.getDayLogId();
assertEquals(1L, long0);
}
@Test(timeout = 4000)
public void test52() throws Throwable {
SetCatch setCatch0 = new SetCatch();
setCatch0.setDayLogId((-13133L));
long long0 = setCatch0.getDayLogId();
assertEquals((-13133L), long0);
}
@Test(timeout = 4000)
public void test53() throws Throwable {
SetCatch setCatch0 = new SetCatch();
setCatch0.setCond_id("]eR|A.");
String string0 = setCatch0.getCond_id();
assertEquals("]eR|A.", string0);
}
@Test(timeout = 4000)
public void test54() throws Throwable {
SetCatch setCatch0 = new SetCatch();
setCatch0.setComments("ul(4RnG}");
String string0 = setCatch0.getComments();
assertEquals("ul(4RnG}", string0);
}
@Test(timeout = 4000)
public void test55() throws Throwable {
SetCatch setCatch0 = new SetCatch();
setCatch0.setComments("");
String string0 = setCatch0.getComments();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test56() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Integer integer0 = new Integer(0);
setCatch0.setAv_len(integer0);
Integer integer1 = setCatch0.getAv_len();
assertEquals(0, (int)integer1);
}
@Test(timeout = 4000)
public void test57() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Integer integer0 = new Integer(40506);
setCatch0.setAv_len(integer0);
Integer integer1 = setCatch0.getAv_len();
assertEquals(40506, (int)integer1);
}
@Test(timeout = 4000)
public void test58() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Integer integer0 = new Integer((-37951));
setCatch0.setAv_len(integer0);
Integer integer1 = setCatch0.getAv_len();
assertEquals((-37951), (int)integer1);
}
@Test(timeout = 4000)
public void test59() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Integer integer0 = setCatch0.getSp_c_id();
assertNull(integer0);
}
@Test(timeout = 4000)
public void test60() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = setCatch0.getSp_c_spcom();
assertNull(double0);
}
@Test(timeout = 4000)
public void test61() throws Throwable {
SetCatch setCatch0 = new SetCatch();
long long0 = setCatch0.getTripId();
assertEquals(0L, long0);
}
@Test(timeout = 4000)
public void test62() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Integer integer0 = setCatch0.getAv_len();
assertNull(integer0);
}
@Test(timeout = 4000)
public void test63() throws Throwable {
SetCatch setCatch0 = new SetCatch();
setCatch0.setId(30663L);
long long0 = setCatch0.getId();
assertEquals(30663L, long0);
}
@Test(timeout = 4000)
public void test64() throws Throwable {
SetCatch setCatch0 = new SetCatch();
setCatch0.setCond_id("");
String string0 = setCatch0.getCond_id();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test65() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = new Double((-1.0));
setCatch0.setSp_w_l(double0);
Double double1 = setCatch0.getSp_w_l();
assertEquals((-1.0), (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test66() throws Throwable {
SetCatch setCatch0 = new SetCatch();
setCatch0.setFate_id("");
String string0 = setCatch0.getFate_id();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test67() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Integer integer0 = setCatch0.getSp_w_id();
assertNull(integer0);
}
@Test(timeout = 4000)
public void test68() throws Throwable {
SetCatch setCatch0 = new SetCatch();
String string0 = setCatch0.getCond_id();
assertNull(string0);
}
@Test(timeout = 4000)
public void test69() throws Throwable {
SetCatch setCatch0 = new SetCatch();
setCatch0.setTags("Dza2{d!Weo~ %X");
String string0 = setCatch0.getTags();
assertEquals("Dza2{d!Weo~ %X", string0);
}
@Test(timeout = 4000)
public void test70() throws Throwable {
SetCatch setCatch0 = new SetCatch();
String string0 = setCatch0.getComments();
assertNull(string0);
}
@Test(timeout = 4000)
public void test71() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = setCatch0.getSp_c_est();
assertNull(double0);
}
@Test(timeout = 4000)
public void test72() throws Throwable {
SetCatch setCatch0 = new SetCatch();
String string0 = setCatch0.getTags();
assertNull(string0);
}
@Test(timeout = 4000)
public void test73() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Integer integer0 = setCatch0.getVesslog();
assertNull(integer0);
}
@Test(timeout = 4000)
public void test74() throws Throwable {
SetCatch setCatch0 = new SetCatch();
String string0 = setCatch0.getSp_id();
assertNull(string0);
}
@Test(timeout = 4000)
public void test75() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = setCatch0.getSp_w_l();
assertNull(double0);
}
@Test(timeout = 4000)
public void test76() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Integer integer0 = setCatch0.getSp_n_est();
assertNull(integer0);
}
@Test(timeout = 4000)
public void test77() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = setCatch0.getSp_c();
assertNull(double0);
}
@Test(timeout = 4000)
public void test78() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = new Double(0.0);
setCatch0.setSp_c(double0);
Double double1 = setCatch0.getSp_c();
assertEquals(0.0, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test79() throws Throwable {
SetCatch setCatch0 = new SetCatch();
String string0 = setCatch0.getFate_id();
assertNull(string0);
}
@Test(timeout = 4000)
public void test80() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Boolean boolean0 = setCatch0.getLargefish();
assertNull(boolean0);
}
@Test(timeout = 4000)
public void test81() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Boolean boolean0 = setCatch0.getYesno();
assertNull(boolean0);
}
@Test(timeout = 4000)
public void test82() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = setCatch0.getPerc_totca();
assertNull(double0);
}
@Test(timeout = 4000)
public void test83() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = setCatch0.getSp_w_h();
assertNull(double0);
}
@Test(timeout = 4000)
public void test84() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Integer integer0 = setCatch0.getSp_n();
assertNull(integer0);
}
@Test(timeout = 4000)
public void test85() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = new Double((-26304.5427187));
setCatch0.setSp_c_ves(double0);
Double double1 = setCatch0.getSp_c_ves();
assertEquals((-26304.5427187), (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test86() throws Throwable {
SetCatch setCatch0 = new SetCatch();
long long0 = setCatch0.getId();
assertEquals(0L, long0);
}
@Test(timeout = 4000)
public void test87() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = setCatch0.getSp_c_ves();
assertNull(double0);
}
@Test(timeout = 4000)
public void test88() throws Throwable {
SetCatch setCatch0 = new SetCatch();
Double double0 = setCatch0.getSp_w_est();
assertNull(double0);
}
@Test(timeout = 4000)
public void test89() throws Throwable {
SetCatch setCatch0 = new SetCatch();
long long0 = setCatch0.getDayLogId();
assertEquals(0L, long0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 14:44: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 SetCatch_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "SetCatch";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp4j43bmss");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SetCatch_ESTest_scaffolding.class.getClassLoader() ,
"SetCatch"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SetCatch_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"SetCatch"
);
}
}
| 4,958 |
EncryptionProperties | /*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
public class EncryptionProperties {
public static final String ENCRYPT_COLUMNS_KEY = "encrypt.columns";
public static final String ENCRYPT_TABLE_KEY = "encrypt.table";
public static final String DWRF_ENCRYPTION_ALGORITHM_KEY = "dwrf.encryption.algorithm";
public static final String DWRF_ENCRYPTION_PROVIDER_KEY = "dwrf.encryption.provider";
private EncryptionProperties() {}
}
| .version 52 0
.class public super EncryptionProperties
.super java/lang/Object
.field public static final ENCRYPT_COLUMNS_KEY Ljava/lang/String; = 'encrypt.columns'
.field public static final ENCRYPT_TABLE_KEY Ljava/lang/String; = 'encrypt.table'
.field public static final DWRF_ENCRYPTION_ALGORITHM_KEY Ljava/lang/String; = 'dwrf.encryption.algorithm'
.field public static final DWRF_ENCRYPTION_PROVIDER_KEY Ljava/lang/String; = 'dwrf.encryption.provider'
.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 24
L4 25
.end linenumbertable
.end code
.end method
.sourcefile 'EncryptionProperties.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 21:35: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 EncryptionProperties_ESTest extends EncryptionProperties_ESTest_scaffolding {
@Test
public void notGeneratedAnyTest() {
// EvoSuite did not generate any tests
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 21:35:30 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 EncryptionProperties_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 = "EncryptionProperties";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.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(EncryptionProperties_ESTest_scaffolding.class.getClassLoader() ,
"EncryptionProperties"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(EncryptionProperties_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"EncryptionProperties"
);
}
}
| 4,959 |
LavadaReporte | /*
* To change this license header, choose License Headers in Project Properties.
* To change this template file, choose Tools | Templates
* and open the template in the editor.
*/
import java.io.Serializable;
/**
* @author Kevin
*/
public class LavadaReporte implements Serializable {
private Long id;
private Double cantidad;
public LavadaReporte() {}
public LavadaReporte(Long id, Double cantidad) {
this.id = id;
this.cantidad = cantidad;
}
public Long getId() {
return id;
}
public void setId(Long id) {
this.id = id;
}
public Double getCantidad() {
return cantidad;
}
public void setCantidad(Double cantidad) {
this.cantidad = cantidad;
}
}
| .version 52 0
.class public super LavadaReporte
.super java/lang/Object
.implements java/io/Serializable
.field private id Ljava/lang/Long;
.field private cantidad Ljava/lang/Double;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 19
L4 20
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/Long;Ljava/lang/Double;)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 LavadaReporte id Ljava/lang/Long;
L9: aload_0
L10: aload_2
L11: putfield Field LavadaReporte cantidad Ljava/lang/Double;
L14: return
L15:
.linenumbertable
L0 22
L4 23
L9 24
L14 25
.end linenumbertable
.end code
.end method
.method public getId : ()Ljava/lang/Long;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field LavadaReporte id Ljava/lang/Long;
L4: areturn
L5:
.linenumbertable
L0 28
.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 LavadaReporte id Ljava/lang/Long;
L5: return
L6:
.linenumbertable
L0 32
L5 33
.end linenumbertable
.end code
.end method
.method public getCantidad : ()Ljava/lang/Double;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field LavadaReporte cantidad Ljava/lang/Double;
L4: areturn
L5:
.linenumbertable
L0 36
.end linenumbertable
.end code
.end method
.method public setCantidad : (Ljava/lang/Double;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field LavadaReporte cantidad Ljava/lang/Double;
L5: return
L6:
.linenumbertable
L0 40
L5 41
.end linenumbertable
.end code
.end method
.sourcefile 'LavadaReporte.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 06:36:28 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class LavadaReporte_ESTest extends LavadaReporte_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
LavadaReporte lavadaReporte0 = new LavadaReporte();
Long long0 = lavadaReporte0.getId();
assertNull(long0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Long long0 = Long.valueOf(0L);
Double double0 = new Double(39592.528);
LavadaReporte lavadaReporte0 = new LavadaReporte(long0, double0);
Long long1 = lavadaReporte0.getId();
assertEquals(0L, (long)long1);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Long long0 = new Long(1L);
Double double0 = new Double(1L);
LavadaReporte lavadaReporte0 = new LavadaReporte(long0, double0);
Long long1 = lavadaReporte0.getId();
assertEquals(1L, (long)long1);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Long long0 = new Long(0L);
Double double0 = new Double(0L);
LavadaReporte lavadaReporte0 = new LavadaReporte(long0, double0);
Double double1 = lavadaReporte0.getCantidad();
assertEquals(0.0, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Long long0 = new Long(0L);
Double double0 = new Double(14612.16);
LavadaReporte lavadaReporte0 = new LavadaReporte(long0, double0);
Double double1 = lavadaReporte0.getCantidad();
assertEquals(14612.16, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Long long0 = new Long((-5L));
Double double0 = new Double((-5L));
LavadaReporte lavadaReporte0 = new LavadaReporte(long0, double0);
Double double1 = lavadaReporte0.getCantidad();
assertEquals((-5.0), (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
Long long0 = new Long((-5L));
Double double0 = new Double((-5L));
LavadaReporte lavadaReporte0 = new LavadaReporte(long0, double0);
lavadaReporte0.setCantidad(double0);
assertEquals((-5L), (long)lavadaReporte0.getId());
}
@Test(timeout = 4000)
public void test7() throws Throwable {
LavadaReporte lavadaReporte0 = new LavadaReporte();
Double double0 = lavadaReporte0.getCantidad();
assertNull(double0);
}
@Test(timeout = 4000)
public void test8() throws Throwable {
Long long0 = new Long((-5L));
Double double0 = new Double((-5L));
LavadaReporte lavadaReporte0 = new LavadaReporte(long0, double0);
lavadaReporte0.setId(long0);
assertEquals((-5L), (long)lavadaReporte0.getId());
}
@Test(timeout = 4000)
public void test9() throws Throwable {
Long long0 = new Long((-5L));
Double double0 = new Double((-5L));
LavadaReporte lavadaReporte0 = new LavadaReporte(long0, double0);
Long long1 = lavadaReporte0.getId();
assertEquals((-5L), (long)long1);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 06:36: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 LavadaReporte_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "LavadaReporte";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpf_b224_2");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(LavadaReporte_ESTest_scaffolding.class.getClassLoader() ,
"LavadaReporte"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(LavadaReporte_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"LavadaReporte"
);
}
}
| 4,960 |
ArrayInitializer | class ArrayInitializer {
void m(String[] ts) {
ts = new String[] {"a", "b"};
}
}
| .version 52 0
.class super ArrayInitializer
.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 3
.end linenumbertable
.end code
.end method
.method m : ([Ljava/lang/String;)V
.code stack 4 locals 2
L0: iconst_2
L1: anewarray java/lang/String
L4: dup
L5: iconst_0
L6: ldc 'a'
L8: aastore
L9: dup
L10: iconst_1
L11: ldc 'b'
L13: aastore
L14: astore_1
L15: return
L16:
.linenumbertable
L0 6
L15 7
.end linenumbertable
.end code
.end method
.sourcefile 'ArrayInitializer.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 07:04:31 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class ArrayInitializer_ESTest extends ArrayInitializer_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ArrayInitializer arrayInitializer0 = new ArrayInitializer();
String[] stringArray0 = new String[0];
arrayInitializer0.m(stringArray0);
assertEquals(0, stringArray0.length);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 07:04:31 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class ArrayInitializer_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ArrayInitializer";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpk9aqnpim");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ArrayInitializer_ESTest_scaffolding.class.getClassLoader() ,
"ArrayInitializer"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ArrayInitializer_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ArrayInitializer"
);
}
}
| 4,961 |
CEntidad | public class CEntidad implements java.io.Serializable {
private long entidadId;
private String nombre;
private String clave;
private Boolean convenio;
public CEntidad() {}
public CEntidad(long entidadId) {
this.entidadId = entidadId;
}
public CEntidad(long entidadId, String nombre, String clave, Boolean convenio) {
this.entidadId = entidadId;
this.nombre = nombre;
this.clave = clave;
this.convenio = convenio;
}
public long getEntidadId() {
return this.entidadId;
}
public void setEntidadId(long entidadId) {
this.entidadId = entidadId;
}
public String getNombre() {
return this.nombre;
}
public void setNombre(String nombre) {
this.nombre = nombre;
}
public String getClave() {
return this.clave;
}
public void setClave(String clave) {
this.clave = clave;
}
public Boolean getConvenio() {
return this.convenio;
}
public void setConvenio(Boolean convenio) {
this.convenio = convenio;
}
}
| .version 52 0
.class public super CEntidad
.super java/lang/Object
.implements java/io/Serializable
.field private entidadId J
.field private nombre Ljava/lang/String;
.field private clave Ljava/lang/String;
.field private convenio Ljava/lang/Boolean;
.method 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
L4 13
.end linenumbertable
.end code
.end method
.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 CEntidad entidadId J
L9: return
L10:
.linenumbertable
L0 16
L4 17
L9 18
.end linenumbertable
.end code
.end method
.method public <init> : (JLjava/lang/String;Ljava/lang/String;Ljava/lang/Boolean;)V
.code stack 3 locals 6
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: lload_1
L6: putfield Field CEntidad entidadId J
L9: aload_0
L10: aload_3
L11: putfield Field CEntidad nombre Ljava/lang/String;
L14: aload_0
L15: aload 4
L17: putfield Field CEntidad clave Ljava/lang/String;
L20: aload_0
L21: aload 5
L23: putfield Field CEntidad convenio Ljava/lang/Boolean;
L26: return
L27:
.linenumbertable
L0 19
L4 20
L9 21
L14 22
L20 23
L26 25
.end linenumbertable
.end code
.end method
.method public getEntidadId : ()J
.code stack 2 locals 1
L0: aload_0
L1: getfield Field CEntidad entidadId J
L4: lreturn
L5:
.linenumbertable
L0 28
.end linenumbertable
.end code
.end method
.method public setEntidadId : (J)V
.code stack 3 locals 3
L0: aload_0
L1: lload_1
L2: putfield Field CEntidad entidadId J
L5: return
L6:
.linenumbertable
L0 32
L5 33
.end linenumbertable
.end code
.end method
.method public getNombre : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CEntidad nombre Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 35
.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 CEntidad nombre Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 39
L5 40
.end linenumbertable
.end code
.end method
.method public getClave : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CEntidad clave Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 42
.end linenumbertable
.end code
.end method
.method public setClave : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field CEntidad clave Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 46
L5 47
.end linenumbertable
.end code
.end method
.method public getConvenio : ()Ljava/lang/Boolean;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CEntidad convenio Ljava/lang/Boolean;
L4: areturn
L5:
.linenumbertable
L0 49
.end linenumbertable
.end code
.end method
.method public setConvenio : (Ljava/lang/Boolean;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field CEntidad convenio Ljava/lang/Boolean;
L5: return
L6:
.linenumbertable
L0 53
L5 54
.end linenumbertable
.end code
.end method
.sourcefile 'CEntidad.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 14:29: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 CEntidad_ESTest extends CEntidad_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
Boolean boolean0 = Boolean.TRUE;
CEntidad cEntidad0 = new CEntidad((-16048L), "t?<Q,z_Dob", "`5GXQg^(Q uD}xy", boolean0);
cEntidad0.getNombre();
assertEquals((-16048L), cEntidad0.getEntidadId());
}
@Test(timeout = 4000)
public void test01() throws Throwable {
Boolean boolean0 = Boolean.valueOf(false);
CEntidad cEntidad0 = new CEntidad(1L, "", "CEntidad", boolean0);
cEntidad0.getNombre();
assertEquals(1L, cEntidad0.getEntidadId());
}
@Test(timeout = 4000)
public void test02() throws Throwable {
CEntidad cEntidad0 = new CEntidad(1L);
long long0 = cEntidad0.getEntidadId();
assertEquals(1L, long0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
Boolean boolean0 = Boolean.TRUE;
CEntidad cEntidad0 = new CEntidad((-10667L), "", "", boolean0);
long long0 = cEntidad0.getEntidadId();
assertEquals((-10667L), long0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
CEntidad cEntidad0 = new CEntidad(0L);
Boolean boolean0 = Boolean.TRUE;
cEntidad0.setConvenio(boolean0);
Boolean boolean1 = cEntidad0.getConvenio();
assertTrue(boolean1);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
CEntidad cEntidad0 = new CEntidad(0L);
cEntidad0.setNombre("6Yf2:EY0N2uw-");
assertEquals("6Yf2:EY0N2uw-", cEntidad0.getNombre());
}
@Test(timeout = 4000)
public void test06() throws Throwable {
Boolean boolean0 = new Boolean("");
CEntidad cEntidad0 = new CEntidad(0L, "ajyTme2Cp,'m#WZV", "", boolean0);
String string0 = cEntidad0.getClave();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
CEntidad cEntidad0 = new CEntidad(0L);
Boolean boolean0 = cEntidad0.getConvenio();
assertNull(boolean0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
CEntidad cEntidad0 = new CEntidad(0L);
cEntidad0.setClave((String) null);
assertNull(cEntidad0.getNombre());
}
@Test(timeout = 4000)
public void test09() throws Throwable {
CEntidad cEntidad0 = new CEntidad(0L);
Boolean boolean0 = Boolean.valueOf(false);
cEntidad0.setConvenio(boolean0);
Boolean boolean1 = cEntidad0.getConvenio();
assertFalse(boolean1);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
CEntidad cEntidad0 = new CEntidad();
cEntidad0.setClave("CEntidad");
String string0 = cEntidad0.getClave();
assertEquals("CEntidad", string0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
CEntidad cEntidad0 = new CEntidad(0L);
cEntidad0.setEntidadId(0L);
assertNull(cEntidad0.getClave());
}
@Test(timeout = 4000)
public void test12() throws Throwable {
CEntidad cEntidad0 = new CEntidad(0L);
String string0 = cEntidad0.getClave();
assertNull(string0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
CEntidad cEntidad0 = new CEntidad(0L);
long long0 = cEntidad0.getEntidadId();
assertEquals(0L, long0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
CEntidad cEntidad0 = new CEntidad(0L);
String string0 = cEntidad0.getNombre();
assertNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 14:29: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 CEntidad_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "CEntidad";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpfh_f9mi4");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CEntidad_ESTest_scaffolding.class.getClassLoader() ,
"CEntidad"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CEntidad_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"CEntidad"
);
}
}
| 4,962 |
SqlScriptExecutor | import java.io.BufferedReader;
import java.io.File;
import java.io.FileReader;
import java.util.ArrayList;
/*
* ATTENTION: SQL file must not contain column names, etc. including comment signs (#, --, /* etc.)
* like e.g. a.'#rows' etc. because every characters after # or -- in a line are filtered
* out of the query string the same is true for every characters surrounded by /* and */
/**/
public class SqlScriptExecutor {
/*
* @param path Path to the SQL file
* @return List of query strings
*/
public static ArrayList<String> createQueries(String path) {
ArrayList<String> listOfQueries = null;
String queryLine = new String();
StringBuffer sBuffer = new StringBuffer();
listOfQueries = new ArrayList<String>();
try {
FileReader fr = new FileReader(new File(path));
BufferedReader br = new BufferedReader(fr);
// read the SQL file line by line
while ((queryLine = br.readLine()) != null) {
// ignore comments beginning with #
int indexOfCommentSign = queryLine.indexOf('#');
if (indexOfCommentSign != -1) {
if (queryLine.startsWith("#")) {
queryLine = new String("");
} else {
try {
queryLine = new String(queryLine.substring(0, indexOfCommentSign - 1));
} catch (RuntimeException e) {
System.out.println("Exception for query line " + queryLine);
e.printStackTrace();
}
}
}
// ignore comments beginning with --
indexOfCommentSign = queryLine.indexOf("--");
if (indexOfCommentSign != -1) {
if (queryLine.startsWith("--")) {
queryLine = new String("");
} else queryLine = new String(queryLine.substring(0, indexOfCommentSign - 1));
}
// ignore comments surrounded by /* */
indexOfCommentSign = queryLine.indexOf("/*");
if (indexOfCommentSign != -1) {
if (queryLine.startsWith("/")) {
queryLine = new String("");
} else {
try {
queryLine = new String(queryLine.substring(0, indexOfCommentSign - 1));
} catch (RuntimeException e) {
System.out.println("Exception for query line " + queryLine);
e.printStackTrace();
}
}
sBuffer.append(queryLine + " ");
// ignore all characters within the comment
do {
queryLine = br.readLine();
} while (queryLine != null && !queryLine.contains("*/"));
indexOfCommentSign = queryLine.indexOf("*/");
if (indexOfCommentSign != -1) {
if (queryLine.endsWith("*/")) {
queryLine = new String("");
} else
queryLine =
new String(queryLine.substring(indexOfCommentSign + 2, queryLine.length() - 1));
}
}
// the + " " is necessary, because otherwise the content before and after a line break are
// concatenated
// like e.g. a.xyz FROM becomes a.xyzFROM otherwise and can not be executed
if (queryLine != null) sBuffer.append(queryLine + " ");
}
br.close();
// here is our splitter ! We use ";" as a delimiter for each request
String[] splittedQueries = sBuffer.toString().split(";");
// filter out empty statements
for (int i = 0; i < splittedQueries.length; i++) {
if (!splittedQueries[i].trim().equals("") && !splittedQueries[i].trim().equals("\t")) {
listOfQueries.add(new String(splittedQueries[i]));
}
}
} catch (Exception e) {
System.out.println("*** Error : " + e.toString());
System.out.println("*** ");
System.out.println("*** Error : ");
e.printStackTrace();
System.out.println("################################################");
System.out.println(sBuffer.toString());
}
return listOfQueries;
}
}
| .version 52 0
.class public super SqlScriptExecutor
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 15
.end linenumbertable
.end code
.end method
.method public static createQueries : (Ljava/lang/String;)Ljava/util/ArrayList;
.code stack 6 locals 8
L0: aconst_null
L1: astore_1
L2: new java/lang/String
L5: dup
L6: invokespecial Method java/lang/String <init> ()V
L9: astore_2
L10: new java/lang/StringBuffer
L13: dup
L14: invokespecial Method java/lang/StringBuffer <init> ()V
L17: astore_3
L18: new java/util/ArrayList
L21: dup
L22: invokespecial Method java/util/ArrayList <init> ()V
L25: astore_1
L26: new java/io/FileReader
L29: dup
L30: new java/io/File
L33: dup
L34: aload_0
L35: invokespecial Method java/io/File <init> (Ljava/lang/String;)V
L38: invokespecial Method java/io/FileReader <init> (Ljava/io/File;)V
L41: astore 4
L43: new java/io/BufferedReader
L46: dup
L47: aload 4
L49: invokespecial Method java/io/BufferedReader <init> (Ljava/io/Reader;)V
L52: astore 5
.stack full
locals Object java/lang/String Object java/util/ArrayList Object java/lang/String Object java/lang/StringBuffer Object java/io/FileReader Object java/io/BufferedReader
stack
.end stack
L54: aload 5
L56: invokevirtual Method java/io/BufferedReader readLine ()Ljava/lang/String;
L59: dup
L60: astore_2
L61: ifnull L425
L64: aload_2
L65: bipush 35
L67: invokevirtual Method java/lang/String indexOf (I)I
L70: istore 6
L72: iload 6
L74: iconst_m1
L75: if_icmpeq L152
L78: aload_2
L79: ldc '#'
L81: invokevirtual Method java/lang/String startsWith (Ljava/lang/String;)Z
L84: ifeq L100
L87: new java/lang/String
L90: dup
L91: ldc ''
L93: invokespecial Method java/lang/String <init> (Ljava/lang/String;)V
L96: astore_2
L97: goto L152
.catch java/lang/RuntimeException from L100 to L117 using L120
.stack append Integer
L100: new java/lang/String
L103: dup
L104: aload_2
L105: iconst_0
L106: iload 6
L108: iconst_1
L109: isub
L110: invokevirtual Method java/lang/String substring (II)Ljava/lang/String;
L113: invokespecial Method java/lang/String <init> (Ljava/lang/String;)V
L116: astore_2
L117: goto L152
.stack stack_1 Object java/lang/RuntimeException
L120: astore 7
L122: getstatic Field java/lang/System out Ljava/io/PrintStream;
L125: new java/lang/StringBuilder
L128: dup
L129: invokespecial Method java/lang/StringBuilder <init> ()V
L132: ldc 'Exception for query line '
L134: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L137: aload_2
L138: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L141: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L144: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L147: aload 7
L149: invokevirtual Method java/lang/RuntimeException printStackTrace ()V
.stack same
L152: aload_2
L153: ldc '--'
L155: invokevirtual Method java/lang/String indexOf (Ljava/lang/String;)I
L158: istore 6
L160: iload 6
L162: iconst_m1
L163: if_icmpeq L205
L166: aload_2
L167: ldc '--'
L169: invokevirtual Method java/lang/String startsWith (Ljava/lang/String;)Z
L172: ifeq L188
L175: new java/lang/String
L178: dup
L179: ldc ''
L181: invokespecial Method java/lang/String <init> (Ljava/lang/String;)V
L184: astore_2
L185: goto L205
.stack same
L188: new java/lang/String
L191: dup
L192: aload_2
L193: iconst_0
L194: iload 6
L196: iconst_1
L197: isub
L198: invokevirtual Method java/lang/String substring (II)Ljava/lang/String;
L201: invokespecial Method java/lang/String <init> (Ljava/lang/String;)V
L204: astore_2
.stack same
L205: aload_2
L206: ldc '/*'
L208: invokevirtual Method java/lang/String indexOf (Ljava/lang/String;)I
L211: istore 6
L213: iload 6
L215: iconst_m1
L216: if_icmpeq L394
L219: aload_2
L220: ldc '/'
L222: invokevirtual Method java/lang/String startsWith (Ljava/lang/String;)Z
L225: ifeq L241
L228: new java/lang/String
L231: dup
L232: ldc ''
L234: invokespecial Method java/lang/String <init> (Ljava/lang/String;)V
L237: astore_2
L238: goto L293
.catch java/lang/RuntimeException from L241 to L258 using L261
.catch java/lang/Exception from L26 to L507 using L510
.stack same
L241: new java/lang/String
L244: dup
L245: aload_2
L246: iconst_0
L247: iload 6
L249: iconst_1
L250: isub
L251: invokevirtual Method java/lang/String substring (II)Ljava/lang/String;
L254: invokespecial Method java/lang/String <init> (Ljava/lang/String;)V
L257: astore_2
L258: goto L293
.stack stack_1 Object java/lang/RuntimeException
L261: astore 7
L263: getstatic Field java/lang/System out Ljava/io/PrintStream;
L266: new java/lang/StringBuilder
L269: dup
L270: invokespecial Method java/lang/StringBuilder <init> ()V
L273: ldc 'Exception for query line '
L275: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L278: aload_2
L279: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L282: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L285: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L288: aload 7
L290: invokevirtual Method java/lang/RuntimeException printStackTrace ()V
.stack same
L293: aload_3
L294: new java/lang/StringBuilder
L297: dup
L298: invokespecial Method java/lang/StringBuilder <init> ()V
L301: aload_2
L302: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L305: ldc ' '
L307: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L310: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L313: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L316: pop
.stack same
L317: aload 5
L319: invokevirtual Method java/io/BufferedReader readLine ()Ljava/lang/String;
L322: astore_2
L323: aload_2
L324: ifnull L336
L327: aload_2
L328: ldc '*/'
L330: invokevirtual Method java/lang/String contains (Ljava/lang/CharSequence;)Z
L333: ifeq L317
.stack same
L336: aload_2
L337: ldc '*/'
L339: invokevirtual Method java/lang/String indexOf (Ljava/lang/String;)I
L342: istore 6
L344: iload 6
L346: iconst_m1
L347: if_icmpeq L394
L350: aload_2
L351: ldc '*/'
L353: invokevirtual Method java/lang/String endsWith (Ljava/lang/String;)Z
L356: ifeq L372
L359: new java/lang/String
L362: dup
L363: ldc ''
L365: invokespecial Method java/lang/String <init> (Ljava/lang/String;)V
L368: astore_2
L369: goto L394
.stack same
L372: new java/lang/String
L375: dup
L376: aload_2
L377: iload 6
L379: iconst_2
L380: iadd
L381: aload_2
L382: invokevirtual Method java/lang/String length ()I
L385: iconst_1
L386: isub
L387: invokevirtual Method java/lang/String substring (II)Ljava/lang/String;
L390: invokespecial Method java/lang/String <init> (Ljava/lang/String;)V
L393: astore_2
.stack same
L394: aload_2
L395: ifnull L422
L398: aload_3
L399: new java/lang/StringBuilder
L402: dup
L403: invokespecial Method java/lang/StringBuilder <init> ()V
L406: aload_2
L407: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L410: ldc ' '
L412: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L415: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L418: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L421: pop
.stack chop 1
L422: goto L54
.stack same
L425: aload 5
L427: invokevirtual Method java/io/BufferedReader close ()V
L430: aload_3
L431: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String;
L434: ldc ';'
L436: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String;
L439: astore 6
L441: iconst_0
L442: istore 7
.stack append Object [Ljava/lang/String; Integer
L444: iload 7
L446: aload 6
L448: arraylength
L449: if_icmpge L507
L452: aload 6
L454: iload 7
L456: aaload
L457: invokevirtual Method java/lang/String trim ()Ljava/lang/String;
L460: ldc ''
L462: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L465: ifne L501
L468: aload 6
L470: iload 7
L472: aaload
L473: invokevirtual Method java/lang/String trim ()Ljava/lang/String;
L476: ldc '\t'
L478: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L481: ifne L501
L484: aload_1
L485: new java/lang/String
L488: dup
L489: aload 6
L491: iload 7
L493: aaload
L494: invokespecial Method java/lang/String <init> (Ljava/lang/String;)V
L497: invokevirtual Method java/util/ArrayList add (Ljava/lang/Object;)Z
L500: pop
.stack same
L501: iinc 7 1
L504: goto L444
.stack full
locals Object java/lang/String Object java/util/ArrayList Object java/lang/String Object java/lang/StringBuffer
stack
.end stack
L507: goto L580
.stack stack_1 Object java/lang/Exception
L510: astore 4
L512: getstatic Field java/lang/System out Ljava/io/PrintStream;
L515: new java/lang/StringBuilder
L518: dup
L519: invokespecial Method java/lang/StringBuilder <init> ()V
L522: ldc '*** Error : '
L524: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L527: aload 4
L529: invokevirtual Method java/lang/Exception toString ()Ljava/lang/String;
L532: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L535: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L538: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L541: getstatic Field java/lang/System out Ljava/io/PrintStream;
L544: ldc '*** '
L546: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L549: getstatic Field java/lang/System out Ljava/io/PrintStream;
L552: ldc '*** Error : '
L554: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L557: aload 4
L559: invokevirtual Method java/lang/Exception printStackTrace ()V
L562: getstatic Field java/lang/System out Ljava/io/PrintStream;
L565: ldc '################################################'
L567: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L570: getstatic Field java/lang/System out Ljava/io/PrintStream;
L573: aload_3
L574: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String;
L577: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack same_extended
L580: aload_1
L581: areturn
L582:
.linenumbertable
L0 24
L2 26
L10 27
L18 28
L26 32
L43 33
L54 36
L64 39
L72 40
L78 42
L87 44
L100 48
L117 53
L120 50
L122 51
L147 52
L152 58
L160 59
L166 61
L175 63
L188 66
L205 69
L213 70
L219 72
L228 74
L241 78
L258 83
L261 80
L263 81
L288 82
L293 86
L317 90
L323 92
L336 93
L344 94
L350 96
L359 98
L372 101
L394 107
L398 108
L422 109
L425 110
L430 113
L441 116
L452 118
L484 120
L501 116
L507 132
L510 124
L512 126
L541 127
L549 128
L557 129
L562 130
L570 131
L580 133
.end linenumbertable
.end code
.signature (Ljava/lang/String;)Ljava/util/ArrayList<Ljava/lang/String;>;
.end method
.sourcefile 'SqlScriptExecutor.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 03:33:37 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.util.ArrayList;
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 SqlScriptExecutor_ESTest extends SqlScriptExecutor_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ArrayList<String> arrayList0 = SqlScriptExecutor.createQueries("(DBfX.Vq?Y!!UR");
assertFalse(arrayList0.contains("(DBfX.Vq?Y!!UR"));
}
@Test(timeout = 4000)
public void test1() throws Throwable {
EvoSuiteFile evoSuiteFile0 = new EvoSuiteFile("\t");
byte[] byteArray0 = new byte[5];
byteArray0[0] = (byte)40;
FileSystemHandling.appendDataToFile(evoSuiteFile0, byteArray0);
ArrayList<String> arrayList0 = SqlScriptExecutor.createQueries("\t");
assertEquals(1, arrayList0.size());
}
@Test(timeout = 4000)
public void test2() throws Throwable {
EvoSuiteFile evoSuiteFile0 = new EvoSuiteFile("#(#(\u0000I\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000");
FileSystemHandling.appendLineToFile(evoSuiteFile0, "#(#(\u0000I\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000");
ArrayList<String> arrayList0 = SqlScriptExecutor.createQueries("#(#(\u0000I\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000");
assertEquals(0, arrayList0.size());
}
@Test(timeout = 4000)
public void test3() throws Throwable {
EvoSuiteFile evoSuiteFile0 = new EvoSuiteFile("\t");
byte[] byteArray0 = new byte[5];
byteArray0[4] = (byte)35;
FileSystemHandling.appendDataToFile(evoSuiteFile0, byteArray0);
ArrayList<String> arrayList0 = SqlScriptExecutor.createQueries("\t");
assertTrue(arrayList0.isEmpty());
}
@Test(timeout = 4000)
public void test4() throws Throwable {
SqlScriptExecutor sqlScriptExecutor0 = new SqlScriptExecutor();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 03:33: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 SqlScriptExecutor_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "SqlScriptExecutor";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpf4209xo0");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SqlScriptExecutor_ESTest_scaffolding.class.getClassLoader() ,
"SqlScriptExecutor"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SqlScriptExecutor_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"SqlScriptExecutor"
);
}
}
| 4,963 |
ReflectHelper | import java.lang.reflect.Field;
/**
* description:反射工具类
*
* @author: jy.chen
* @version: 1.0
* @since: 2015/8/18 - 13:54
*/
public class ReflectHelper {
/**
* 获取obj对象fieldName的Field
*
* @param obj 对象
* @param fieldName 字段名
* @return Field
*/
public static Field getFieldByFieldName(Object obj, String fieldName) {
for (Class<?> superClass = obj.getClass();
superClass != Object.class;
superClass = superClass.getSuperclass()) {
try {
return superClass.getDeclaredField(fieldName);
} catch (NoSuchFieldException e) {
}
}
return null;
}
/**
* 获取obj对象fieldName的属性值
*
* @param obj 对象
* @param fieldName 字段名
* @return Object
* @throws Exception
*/
public static Object getValueByFieldName(Object obj, String fieldName) throws Exception {
Field field = getFieldByFieldName(obj, fieldName);
Object value = null;
if (field != null) {
if (field.isAccessible()) {
value = field.get(obj);
} else {
field.setAccessible(true);
value = field.get(obj);
field.setAccessible(false);
}
}
return value;
}
/**
* 设置obj对象fieldName的属性值
*
* @param obj
* @param fieldName
* @param value
* @throws Exception
*/
public static void setValueByFieldName(Object obj, String fieldName, Object value)
throws Exception {
try {
Field field = obj.getClass().getDeclaredField(fieldName);
if (field.isAccessible()) {
field.set(obj, value);
} else {
field.setAccessible(true);
field.set(obj, value);
field.setAccessible(false);
}
} catch (Exception err) {
//
}
}
}
| .version 52 0
.class public super ReflectHelper
.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 getFieldByFieldName : (Ljava/lang/Object;Ljava/lang/String;)Ljava/lang/reflect/Field;
.code stack 2 locals 4
L0: aload_0
L1: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L4: astore_2
.stack append Object java/lang/Class
L5: aload_2
L6: ldc Class java/lang/Object
L8: if_acmpeq L26
.catch java/lang/NoSuchFieldException from L11 to L16 using L17
L11: aload_2
L12: aload_1
L13: invokevirtual Method java/lang/Class getDeclaredField (Ljava/lang/String;)Ljava/lang/reflect/Field;
L16: areturn
.stack stack_1 Object java/lang/NoSuchFieldException
L17: astore_3
L18: aload_2
L19: invokevirtual Method java/lang/Class getSuperclass ()Ljava/lang/Class;
L22: astore_2
L23: goto L5
.stack chop 1
L26: aconst_null
L27: areturn
L28:
.linenumbertable
L0 23
L11 26
L17 27
L18 23
L19 24
L26 30
.end linenumbertable
.end code
.end method
.method public static getValueByFieldName : (Ljava/lang/Object;Ljava/lang/String;)Ljava/lang/Object;
.code stack 2 locals 4
L0: aload_0
L1: aload_1
L2: invokestatic Method ReflectHelper getFieldByFieldName (Ljava/lang/Object;Ljava/lang/String;)Ljava/lang/reflect/Field;
L5: astore_2
L6: aconst_null
L7: astore_3
L8: aload_2
L9: ifnull L44
L12: aload_2
L13: invokevirtual Method java/lang/reflect/Field isAccessible ()Z
L16: ifeq L28
L19: aload_2
L20: aload_0
L21: invokevirtual Method java/lang/reflect/Field get (Ljava/lang/Object;)Ljava/lang/Object;
L24: astore_3
L25: goto L44
.stack append Object java/lang/reflect/Field Object java/lang/Object
L28: aload_2
L29: iconst_1
L30: invokevirtual Method java/lang/reflect/Field setAccessible (Z)V
L33: aload_2
L34: aload_0
L35: invokevirtual Method java/lang/reflect/Field get (Ljava/lang/Object;)Ljava/lang/Object;
L38: astore_3
L39: aload_2
L40: iconst_0
L41: invokevirtual Method java/lang/reflect/Field setAccessible (Z)V
.stack same
L44: aload_3
L45: areturn
L46:
.linenumbertable
L0 43
L6 44
L8 45
L12 46
L19 47
L28 49
L33 50
L39 51
L44 54
.end linenumbertable
.end code
.exceptions java/lang/Exception
.end method
.method public static setValueByFieldName : (Ljava/lang/Object;Ljava/lang/String;Ljava/lang/Object;)V
.code stack 3 locals 4
.catch java/lang/Exception from L0 to L41 using L44
L0: aload_0
L1: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L4: aload_1
L5: invokevirtual Method java/lang/Class getDeclaredField (Ljava/lang/String;)Ljava/lang/reflect/Field;
L8: astore_3
L9: aload_3
L10: invokevirtual Method java/lang/reflect/Field isAccessible ()Z
L13: ifeq L25
L16: aload_3
L17: aload_0
L18: aload_2
L19: invokevirtual Method java/lang/reflect/Field set (Ljava/lang/Object;Ljava/lang/Object;)V
L22: goto L41
.stack append Object java/lang/reflect/Field
L25: aload_3
L26: iconst_1
L27: invokevirtual Method java/lang/reflect/Field setAccessible (Z)V
L30: aload_3
L31: aload_0
L32: aload_2
L33: invokevirtual Method java/lang/reflect/Field set (Ljava/lang/Object;Ljava/lang/Object;)V
L36: aload_3
L37: iconst_0
L38: invokevirtual Method java/lang/reflect/Field setAccessible (Z)V
.stack chop 1
L41: goto L45
.stack stack_1 Object java/lang/Exception
L44: astore_3
.stack same
L45: return
L46:
.linenumbertable
L0 68
L9 69
L16 70
L25 72
L30 73
L36 74
L41 78
L44 76
L45 79
.end linenumbertable
.end code
.exceptions java/lang/Exception
.end method
.sourcefile 'ReflectHelper.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 02:19:32 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.lang.reflect.Field;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class ReflectHelper_ESTest extends ReflectHelper_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Object object0 = new Object();
Object object1 = ReflectHelper.getValueByFieldName(object0, "]");
assertNull(object1);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
ReflectHelper.setValueByFieldName("'T<s@>.s,G>Z", "'T<s@>.s,G>Z", "'T<s@>.s,G>Z");
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Object object0 = ReflectHelper.getValueByFieldName("'T<s@>.s,G>Z", "'T<s@>.s,G>Z");
assertNull(object0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
ReflectHelper reflectHelper0 = new ReflectHelper();
Field field0 = ReflectHelper.getFieldByFieldName(reflectHelper0, "");
assertNull(field0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 02:19: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 ReflectHelper_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ReflectHelper";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpa77v9evt");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ReflectHelper_ESTest_scaffolding.class.getClassLoader() ,
"ReflectHelper"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ReflectHelper_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ReflectHelper"
);
}
}
| 4,964 |
RpcClientFailedException | /*
* AndroBOINC - BOINC Manager for Android
* Copyright (C) 2010, Pavol Michalec
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU Lesser General Public License as published by
* the Free Software Foundation, either version 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 Lesser General Public License for more details.
*
* You should have received a copy of the GNU Lesser General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*
*/
/** Signals the general error during RpcClient call */
public class RpcClientFailedException extends Exception {
private static final long serialVersionUID = -583791893859959955L; // Generated
public RpcClientFailedException(String detailMessage) {
super(detailMessage);
}
public RpcClientFailedException(String detailMessage, Throwable throwable) {
super(detailMessage, throwable);
}
}
| .version 52 0
.class public super RpcClientFailedException
.super java/lang/Exception
.field private static final serialVersionUID J = -583791893859959955L
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V
L5: return
L6:
.linenumbertable
L0 29
L5 30
.end linenumbertable
.end code
.end method
.method public <init> : (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 33
L6 34
.end linenumbertable
.end code
.end method
.sourcefile 'RpcClientFailedException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 21:07:08 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class RpcClientFailedException_ESTest extends RpcClientFailedException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
RpcClientFailedException rpcClientFailedException0 = new RpcClientFailedException("");
RpcClientFailedException rpcClientFailedException1 = new RpcClientFailedException("", rpcClientFailedException0);
assertFalse(rpcClientFailedException1.equals((Object)rpcClientFailedException0));
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 21:07: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 RpcClientFailedException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "RpcClientFailedException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.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_70h5n8w");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(RpcClientFailedException_ESTest_scaffolding.class.getClassLoader() ,
"RpcClientFailedException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RpcClientFailedException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"RpcClientFailedException"
);
}
}
| 4,965 |
TimeValuePair | public class TimeValuePair {
private double time;
private double value;
public TimeValuePair(double time, double value) {
this.time = time;
this.value = value;
}
public double getTime() {
return time;
}
public void setTime(double time) {
this.time = time;
}
public double getValue() {
return value;
}
public void setValue(double value) {
this.value = value;
}
}
| .version 52 0
.class public super TimeValuePair
.super java/lang/Object
.field private time D
.field private value 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 TimeValuePair time D
L9: aload_0
L10: dload_3
L11: putfield Field TimeValuePair value D
L14: return
L15:
.linenumbertable
L0 8
L4 9
L9 10
L14 11
.end linenumbertable
.end code
.end method
.method public getTime : ()D
.code stack 2 locals 1
L0: aload_0
L1: getfield Field TimeValuePair time D
L4: dreturn
L5:
.linenumbertable
L0 14
.end linenumbertable
.end code
.end method
.method public setTime : (D)V
.code stack 3 locals 3
L0: aload_0
L1: dload_1
L2: putfield Field TimeValuePair time D
L5: return
L6:
.linenumbertable
L0 18
L5 19
.end linenumbertable
.end code
.end method
.method public getValue : ()D
.code stack 2 locals 1
L0: aload_0
L1: getfield Field TimeValuePair value D
L4: dreturn
L5:
.linenumbertable
L0 22
.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 TimeValuePair value D
L5: return
L6:
.linenumbertable
L0 26
L5 27
.end linenumbertable
.end code
.end method
.sourcefile 'TimeValuePair.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 17:49:32 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class TimeValuePair_ESTest extends TimeValuePair_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
TimeValuePair timeValuePair0 = new TimeValuePair(0.0, 0.0);
double double0 = timeValuePair0.getValue();
assertEquals(0.0, double0, 1.0E-4);
assertEquals(0.0, timeValuePair0.getTime(), 1.0E-4);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
TimeValuePair timeValuePair0 = new TimeValuePair((-1.0), (-1.0));
double double0 = timeValuePair0.getValue();
assertEquals((-1.0), timeValuePair0.getTime(), 1.0E-4);
assertEquals((-1.0), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
TimeValuePair timeValuePair0 = new TimeValuePair(0.0, 0.0);
double double0 = timeValuePair0.getTime();
assertEquals(0.0, timeValuePair0.getValue(), 1.0E-4);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
TimeValuePair timeValuePair0 = new TimeValuePair((-8100.2), 77568.42777285531);
double double0 = timeValuePair0.getTime();
assertEquals(77568.42777285531, timeValuePair0.getValue(), 1.0E-4);
assertEquals((-8100.2), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
TimeValuePair timeValuePair0 = new TimeValuePair(47596.3044365934, 47596.3044365934);
double double0 = timeValuePair0.getValue();
assertEquals(47596.3044365934, timeValuePair0.getTime(), 1.0E-4);
assertEquals(47596.3044365934, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
TimeValuePair timeValuePair0 = new TimeValuePair(47596.3044365934, 47596.3044365934);
timeValuePair0.setTime((-66927.5861762));
assertEquals((-66927.5861762), timeValuePair0.getTime(), 1.0E-4);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
TimeValuePair timeValuePair0 = new TimeValuePair(47596.3044365934, 47596.3044365934);
timeValuePair0.setValue((-25912.89));
assertEquals((-25912.89), timeValuePair0.getValue(), 1.0E-4);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
TimeValuePair timeValuePair0 = new TimeValuePair(47596.3044365934, 47596.3044365934);
double double0 = timeValuePair0.getTime();
assertEquals(47596.3044365934, timeValuePair0.getValue(), 1.0E-4);
assertEquals(47596.3044365934, double0, 1.0E-4);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 17:49: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 TimeValuePair_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "TimeValuePair";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpjv6l41k1");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TimeValuePair_ESTest_scaffolding.class.getClassLoader() ,
"TimeValuePair"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TimeValuePair_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"TimeValuePair"
);
}
}
| 4,966 |
PtrUIHandlerHook | /**
* Run a hook runnable, the runnable will run only once. After the runnable is done, call resume to
* resume. Once run, call takeover will directory call the resume action
*/
public abstract class PtrUIHandlerHook implements Runnable {
private Runnable mResumeAction;
private static final byte STATUS_PREPARE = 0;
private static final byte STATUS_IN_HOOK = 1;
private static final byte STATUS_RESUMED = 2;
private byte mStatus = STATUS_PREPARE;
public void takeOver() {
takeOver(null);
}
public void takeOver(Runnable resumeAction) {
if (resumeAction != null) {
mResumeAction = resumeAction;
}
switch (mStatus) {
case STATUS_PREPARE:
mStatus = STATUS_IN_HOOK;
run();
break;
case STATUS_IN_HOOK:
break;
case STATUS_RESUMED:
resume();
break;
}
}
public void reset() {
mStatus = STATUS_PREPARE;
}
public void resume() {
if (mResumeAction != null) {
mResumeAction.run();
}
mStatus = STATUS_RESUMED;
}
/**
* Hook should always have a resume action, which is hooked by this hook.
*
* @param runnable
*/
public void setResumeAction(Runnable runnable) {
mResumeAction = runnable;
}
}
| .version 52 0
.class public super abstract PtrUIHandlerHook
.super java/lang/Object
.implements java/lang/Runnable
.field private mResumeAction Ljava/lang/Runnable;
.field private static final STATUS_PREPARE B = 0
.field private static final STATUS_IN_HOOK B = 1
.field private static final STATUS_RESUMED B = 2
.field private mStatus B
.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 PtrUIHandlerHook mStatus B
L9: return
L10:
.linenumbertable
L0 8
L4 14
.end linenumbertable
.end code
.end method
.method public takeOver : ()V
.code stack 2 locals 1
L0: aload_0
L1: aconst_null
L2: invokevirtual Method PtrUIHandlerHook takeOver (Ljava/lang/Runnable;)V
L5: return
L6:
.linenumbertable
L0 17
L5 18
.end linenumbertable
.end code
.end method
.method public takeOver : (Ljava/lang/Runnable;)V
.code stack 2 locals 2
L0: aload_1
L1: ifnull L9
L4: aload_0
L5: aload_1
L6: putfield Field PtrUIHandlerHook mResumeAction Ljava/lang/Runnable;
.stack same
L9: aload_0
L10: getfield Field PtrUIHandlerHook mStatus B
L13: tableswitch 0
L40
L52
L55
default : L59
.stack same
L40: aload_0
L41: iconst_1
L42: putfield Field PtrUIHandlerHook mStatus B
L45: aload_0
L46: invokevirtual Method PtrUIHandlerHook run ()V
L49: goto L59
.stack same
L52: goto L59
.stack same
L55: aload_0
L56: invokevirtual Method PtrUIHandlerHook resume ()V
.stack same
L59: return
L60:
.linenumbertable
L0 21
L4 22
L9 24
L40 26
L45 27
L49 28
L52 30
L55 32
L59 35
.end linenumbertable
.end code
.end method
.method public reset : ()V
.code stack 2 locals 1
L0: aload_0
L1: iconst_0
L2: putfield Field PtrUIHandlerHook mStatus B
L5: return
L6:
.linenumbertable
L0 38
L5 39
.end linenumbertable
.end code
.end method
.method public resume : ()V
.code stack 2 locals 1
L0: aload_0
L1: getfield Field PtrUIHandlerHook mResumeAction Ljava/lang/Runnable;
L4: ifnull L16
L7: aload_0
L8: getfield Field PtrUIHandlerHook mResumeAction Ljava/lang/Runnable;
L11: invokeinterface InterfaceMethod java/lang/Runnable run ()V 1
.stack same
L16: aload_0
L17: iconst_2
L18: putfield Field PtrUIHandlerHook mStatus B
L21: return
L22:
.linenumbertable
L0 42
L7 43
L16 45
L21 46
.end linenumbertable
.end code
.end method
.method public setResumeAction : (Ljava/lang/Runnable;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field PtrUIHandlerHook mResumeAction Ljava/lang/Runnable;
L5: return
L6:
.linenumbertable
L0 54
L5 55
.end linenumbertable
.end code
.end method
.sourcefile 'PtrUIHandlerHook.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 15:00: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 PtrUIHandlerHook_ESTest extends PtrUIHandlerHook_ESTest_scaffolding {
@Test
public void notGeneratedAnyTest() {
// EvoSuite did not generate any tests
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 15:00:46 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class PtrUIHandlerHook_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 = "PtrUIHandlerHook";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.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(PtrUIHandlerHook_ESTest_scaffolding.class.getClassLoader() ,
"PtrUIHandlerHook"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PtrUIHandlerHook_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"PtrUIHandlerHook"
);
}
}
| 4,967 |
GameConstants | public class GameConstants {
public static final Double pUserContinuation = 0.3;
public static final Double pRandomCampaignAllocation = 0.36;
public static final Integer maxUserDailyImpressions = 6;
public static final Double initialReservePrice = 0.005;
public static final Double reservePriceVariance = 0.02;
public static final Double reservePriceLearningRate = 0.2;
public static final Integer shortCampaignDuration = 3;
public static final Integer mediumCampaignDuration = 5;
public static final Integer longCampaignDuration = 10;
public static final Double lowCampaignReachFactor = 0.2;
public static final Double mediumCampaignReachFactor = 0.5;
public static final Double highCampaignReachFactor = 0.8;
public static final Double maxCampaignCostByImpression = 0.001;
public static final Double minCampaignCostByImpression = 0.0001;
public static final Double qualityRatingLearningRate = 0.6;
public static final Integer gameLength = 60;
public static final Integer realTimeSecondsPerDay = 10;
public static final Double pUcsUserRevelation = 0.9;
public static final Double initialDayClassificationAcc = 0.9;
public static final Double campaignGoal = 1.2;
public static final Double rbidGuideFactor = 8.0;
public static final Integer AdXGuideFactor = 4;
public static final Double AdXRatio = 0.7;
public static final Double CampaignCut = 0.1;
public static final Double UCSRatio = 0.2;
}
| .version 52 0
.class public super GameConstants
.super java/lang/Object
.field public static final pUserContinuation Ljava/lang/Double;
.field public static final pRandomCampaignAllocation Ljava/lang/Double;
.field public static final maxUserDailyImpressions Ljava/lang/Integer;
.field public static final initialReservePrice Ljava/lang/Double;
.field public static final reservePriceVariance Ljava/lang/Double;
.field public static final reservePriceLearningRate Ljava/lang/Double;
.field public static final shortCampaignDuration Ljava/lang/Integer;
.field public static final mediumCampaignDuration Ljava/lang/Integer;
.field public static final longCampaignDuration Ljava/lang/Integer;
.field public static final lowCampaignReachFactor Ljava/lang/Double;
.field public static final mediumCampaignReachFactor Ljava/lang/Double;
.field public static final highCampaignReachFactor Ljava/lang/Double;
.field public static final maxCampaignCostByImpression Ljava/lang/Double;
.field public static final minCampaignCostByImpression Ljava/lang/Double;
.field public static final qualityRatingLearningRate Ljava/lang/Double;
.field public static final gameLength Ljava/lang/Integer;
.field public static final realTimeSecondsPerDay Ljava/lang/Integer;
.field public static final pUcsUserRevelation Ljava/lang/Double;
.field public static final initialDayClassificationAcc Ljava/lang/Double;
.field public static final campaignGoal Ljava/lang/Double;
.field public static final rbidGuideFactor Ljava/lang/Double;
.field public static final AdXGuideFactor Ljava/lang/Integer;
.field public static final AdXRatio Ljava/lang/Double;
.field public static final CampaignCut Ljava/lang/Double;
.field public static final UCSRatio Ljava/lang/Double;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 3
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 2 locals 0
L0: ldc2_w +0.3
L3: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L6: putstatic Field GameConstants pUserContinuation Ljava/lang/Double;
L9: ldc2_w +0.36
L12: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L15: putstatic Field GameConstants pRandomCampaignAllocation Ljava/lang/Double;
L18: bipush 6
L20: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L23: putstatic Field GameConstants maxUserDailyImpressions Ljava/lang/Integer;
L26: ldc2_w +0.005
L29: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L32: putstatic Field GameConstants initialReservePrice Ljava/lang/Double;
L35: ldc2_w +0.02
L38: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L41: putstatic Field GameConstants reservePriceVariance Ljava/lang/Double;
L44: ldc2_w +0.2
L47: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L50: putstatic Field GameConstants reservePriceLearningRate Ljava/lang/Double;
L53: iconst_3
L54: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L57: putstatic Field GameConstants shortCampaignDuration Ljava/lang/Integer;
L60: iconst_5
L61: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L64: putstatic Field GameConstants mediumCampaignDuration Ljava/lang/Integer;
L67: bipush 10
L69: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L72: putstatic Field GameConstants longCampaignDuration Ljava/lang/Integer;
L75: ldc2_w +0.2
L78: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L81: putstatic Field GameConstants lowCampaignReachFactor Ljava/lang/Double;
L84: ldc2_w +0.5
L87: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L90: putstatic Field GameConstants mediumCampaignReachFactor Ljava/lang/Double;
L93: ldc2_w +0.8
L96: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L99: putstatic Field GameConstants highCampaignReachFactor Ljava/lang/Double;
L102: ldc2_w +0.001
L105: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L108: putstatic Field GameConstants maxCampaignCostByImpression Ljava/lang/Double;
L111: ldc2_w +0.0001
L114: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L117: putstatic Field GameConstants minCampaignCostByImpression Ljava/lang/Double;
L120: ldc2_w +0.6
L123: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L126: putstatic Field GameConstants qualityRatingLearningRate Ljava/lang/Double;
L129: bipush 60
L131: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L134: putstatic Field GameConstants gameLength Ljava/lang/Integer;
L137: bipush 10
L139: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L142: putstatic Field GameConstants realTimeSecondsPerDay Ljava/lang/Integer;
L145: ldc2_w +0.9
L148: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L151: putstatic Field GameConstants pUcsUserRevelation Ljava/lang/Double;
L154: ldc2_w +0.9
L157: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L160: putstatic Field GameConstants initialDayClassificationAcc Ljava/lang/Double;
L163: ldc2_w +1.2
L166: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L169: putstatic Field GameConstants campaignGoal Ljava/lang/Double;
L172: ldc2_w +8.0
L175: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L178: putstatic Field GameConstants rbidGuideFactor Ljava/lang/Double;
L181: iconst_4
L182: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L185: putstatic Field GameConstants AdXGuideFactor Ljava/lang/Integer;
L188: ldc2_w +0.7
L191: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L194: putstatic Field GameConstants AdXRatio Ljava/lang/Double;
L197: ldc2_w +0.1
L200: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L203: putstatic Field GameConstants CampaignCut Ljava/lang/Double;
L206: ldc2_w +0.2
L209: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L212: putstatic Field GameConstants UCSRatio Ljava/lang/Double;
L215: return
L216:
.linenumbertable
L0 4
L9 5
L18 6
L26 7
L35 8
L44 9
L53 10
L60 11
L67 12
L75 13
L84 14
L93 15
L102 16
L111 17
L120 18
L129 19
L137 20
L145 21
L154 22
L163 23
L172 24
L181 25
L188 26
L197 27
L206 28
.end linenumbertable
.end code
.end method
.sourcefile 'GameConstants.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 14:24:39 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class GameConstants_ESTest extends GameConstants_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
GameConstants gameConstants0 = new GameConstants();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 14:24:39 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class GameConstants_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "GameConstants";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpcqf_kxw0");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(GameConstants_ESTest_scaffolding.class.getClassLoader() ,
"GameConstants"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(GameConstants_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"GameConstants"
);
}
}
| 4,968 |
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.gatech.beatouch.android";
public static final String BUILD_TYPE = "debug";
public static final String FLAVOR = "";
public static final int VERSION_CODE = 24;
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; = 'com.gatech.beatouch.android'
.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 = 24
.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
* Sat Jul 02 20:54: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 BuildConfig_ESTest extends BuildConfig_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
BuildConfig buildConfig0 = new BuildConfig();
assertEquals(24, BuildConfig.VERSION_CODE);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 20:54: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 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/tmpn5gtd_ko");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.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"
);
}
}
| 4,969 |
UserManager | /** Created by JunHyeok on 2016. 12. 10.. */
public class UserManager {
private int serial;
private int isSnack;
private int isStay;
public int getIsStay() {
return isStay;
}
public void setIsStay(int isStay) {
this.isStay = isStay;
}
public int getIsSnack() {
return isSnack;
}
public void setIsSnack(int isSnack) {
this.isSnack = isSnack;
}
public int getSerial() {
return serial;
}
public void setSerial(int serial) {
this.serial = serial;
}
private static UserManager ourInstance = new UserManager();
public static UserManager getInstance() {
return ourInstance;
}
private UserManager() {}
}
| .version 52 0
.class public super UserManager
.super java/lang/Object
.field private serial I
.field private isSnack I
.field private isStay I
.field private static ourInstance LUserManager;
.method public getIsStay : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserManager isStay I
L4: ireturn
L5:
.linenumbertable
L0 12
.end linenumbertable
.end code
.end method
.method public setIsStay : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field UserManager isStay I
L5: return
L6:
.linenumbertable
L0 16
L5 17
.end linenumbertable
.end code
.end method
.method public getIsSnack : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserManager isSnack I
L4: ireturn
L5:
.linenumbertable
L0 20
.end linenumbertable
.end code
.end method
.method public setIsSnack : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field UserManager isSnack I
L5: return
L6:
.linenumbertable
L0 24
L5 25
.end linenumbertable
.end code
.end method
.method public getSerial : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserManager serial I
L4: ireturn
L5:
.linenumbertable
L0 28
.end linenumbertable
.end code
.end method
.method public setSerial : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field UserManager serial I
L5: return
L6:
.linenumbertable
L0 32
L5 33
.end linenumbertable
.end code
.end method
.method public static getInstance : ()LUserManager;
.code stack 1 locals 0
L0: getstatic Field UserManager ourInstance LUserManager;
L3: areturn
L4:
.linenumbertable
L0 38
.end linenumbertable
.end code
.end method
.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 41
L4 42
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 2 locals 0
L0: new UserManager
L3: dup
L4: invokespecial Method UserManager <init> ()V
L7: putstatic Field UserManager ourInstance LUserManager;
L10: return
L11:
.linenumbertable
L0 35
.end linenumbertable
.end code
.end method
.sourcefile 'UserManager.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 07:59: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 UserManager_ESTest extends UserManager_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
UserManager userManager0 = UserManager.getInstance();
userManager0.setIsStay(5031);
userManager0.getIsSnack();
userManager0.setIsStay((-28638));
userManager0.getSerial();
int int0 = userManager0.getIsSnack();
// // Unstable assertion: assertEquals((-28638), userManager0.getIsStay());
// // Unstable assertion: assertEquals((-4803), int0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
UserManager userManager0 = UserManager.getInstance();
userManager0.setIsStay((-4804));
assertEquals((-4804), userManager0.getIsStay());
}
@Test(timeout = 4000)
public void test2() throws Throwable {
UserManager userManager0 = UserManager.getInstance();
userManager0.setSerial(1);
assertEquals(1, userManager0.getSerial());
}
@Test(timeout = 4000)
public void test3() throws Throwable {
UserManager userManager0 = UserManager.getInstance();
int int0 = userManager0.getIsStay();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
UserManager userManager0 = UserManager.getInstance();
int int0 = userManager0.getIsSnack();
// // Unstable assertion: assertEquals((-4803), int0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
UserManager userManager0 = UserManager.getInstance();
userManager0.setIsSnack((-4804));
assertEquals((-4804), userManager0.getIsSnack());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 07:59: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 UserManager_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "UserManager";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpjbrbht2t");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(UserManager_ESTest_scaffolding.class.getClassLoader() ,
"UserManager"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UserManager_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"UserManager"
);
}
}
| 4,970 |
FindSubList | /*
* Copyright 2000 Sun Microsystems, Inc. All Rights Reserved.
* DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS FILE HEADER.
*
* This code is free software; you can redistribute it and/or modify it
* under the terms of the GNU General Public License version 2 only, as
* published by the Free Software Foundation.
*
* This code is distributed in the hope that it will be useful, but WITHOUT
* ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or
* FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License
* version 2 for more details (a copy is included in the LICENSE file that
* accompanied this code).
*
* You should have received a copy of the GNU General Public License version
* 2 along with this work; if not, write to the Free Software Foundation,
* Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA.
*
* Please contact Sun Microsystems, Inc., 4150 Network Circle, Santa Clara,
* CA 95054 USA or visit www.sun.com if you need additional information or
* have any questions.
*/
/**
* @test
* @bug 4323074
* @summary Basic test for Collections.indexOfSubList/lastIndexOfSubList
*/
import java.util.*;
public class FindSubList {
public static void main(String[] args) throws Exception {
int N = 500;
List source = new ArrayList(3 * N);
List target[] = new List[N + 1];
int index[] = new int[N + 1];
for (int i = 0; i <= N; i++) {
List t = new ArrayList();
String s = Integer.toString(i, 2);
for (int j = 0, len = s.length(); j < len; j++) t.add(s.charAt(j) == '1' ? "1" : "0");
target[i] = t;
if (i == N) {
index[i] = -1;
} else {
index[i] = source.size();
source.addAll(t);
source.add("*");
}
}
List src[] = {
source, new LinkedList(source), new Vector(source), Arrays.asList(source.toArray())
};
for (int j = 0; j < src.length; j++) {
List s = src[j];
for (int i = 0; i <= N; i++) {
int idx = Collections.indexOfSubList(s, target[i]);
if (idx != index[i])
throw new Exception(
s.getClass() + " indexOfSubList: " + i + "is " + idx + ", should be " + index[i]);
}
if (Collections.indexOfSubList(s, Collections.nCopies(2 * s.size(), "0")) != -1)
throw new Exception(s.getClass() + " indexOfSubList: big target");
}
Collections.reverse(source);
int srcSize = source.size();
for (int i = 0; i <= N; i++) {
Collections.reverse(target[i]);
if (i != N) index[i] = srcSize - index[i] - target[i].size();
}
List src2[] = {
source, new LinkedList(source), new Vector(source), Arrays.asList(source.toArray())
};
for (int j = 0; j < src2.length; j++) {
List s = src2[j];
for (int i = 0; i <= N; i++) {
int idx = Collections.lastIndexOfSubList(s, target[i]);
if (idx != index[i])
throw new Exception(
s.getClass() + " lastIdexOfSubList: " + i + "is " + idx + ", should be " + index[i]);
}
if (Collections.indexOfSubList(s, Collections.nCopies(2 * s.size(), "0")) != -1)
throw new Exception(s.getClass() + " lastIndexOfSubList: big tgt");
}
}
}
| .version 52 0
.class public super FindSubList
.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 32
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 6 locals 12
L0: sipush 500
L3: istore_1
L4: new java/util/ArrayList
L7: dup
L8: iconst_3
L9: iload_1
L10: imul
L11: invokespecial Method java/util/ArrayList <init> (I)V
L14: astore_2
L15: iload_1
L16: iconst_1
L17: iadd
L18: anewarray java/util/List
L21: astore_3
L22: iload_1
L23: iconst_1
L24: iadd
L25: newarray int
L27: astore 4
L29: iconst_0
L30: istore 5
.stack full
locals Object [Ljava/lang/String; Integer Object java/util/List Object [Ljava/util/List; Object [I Integer
stack
.end stack
L32: iload 5
L34: iload_1
L35: if_icmpgt L161
L38: new java/util/ArrayList
L41: dup
L42: invokespecial Method java/util/ArrayList <init> ()V
L45: astore 6
L47: iload 5
L49: iconst_2
L50: invokestatic Method java/lang/Integer toString (II)Ljava/lang/String;
L53: astore 7
L55: iconst_0
L56: istore 8
L58: aload 7
L60: invokevirtual Method java/lang/String length ()I
L63: istore 9
.stack full
locals Object [Ljava/lang/String; Integer Object java/util/List Object [Ljava/util/List; Object [I Integer Object java/util/List Object java/lang/String Integer Integer
stack
.end stack
L65: iload 8
L67: iload 9
L69: if_icmpge L105
L72: aload 6
L74: aload 7
L76: iload 8
L78: invokevirtual Method java/lang/String charAt (I)C
L81: bipush 49
L83: if_icmpne L91
L86: ldc '1'
L88: goto L93
.stack stack_1 Object java/util/List
L91: ldc '0'
.stack full
locals Object [Ljava/lang/String; Integer Object java/util/List Object [Ljava/util/List; Object [I Integer Object java/util/List Object java/lang/String Integer Integer
stack Object java/util/List Object java/lang/Object
.end stack
L93: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L98: pop
L99: iinc 8 1
L102: goto L65
.stack chop 2
L105: aload_3
L106: iload 5
L108: aload 6
L110: aastore
L111: iload 5
L113: iload_1
L114: if_icmpne L126
L117: aload 4
L119: iload 5
L121: iconst_m1
L122: iastore
L123: goto L155
.stack same
L126: aload 4
L128: iload 5
L130: aload_2
L131: invokeinterface InterfaceMethod java/util/List size ()I 1
L136: iastore
L137: aload_2
L138: aload 6
L140: invokeinterface InterfaceMethod java/util/List addAll (Ljava/util/Collection;)Z 2
L145: pop
L146: aload_2
L147: ldc '*'
L149: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L154: pop
.stack chop 2
L155: iinc 5 1
L158: goto L32
.stack chop 1
L161: iconst_4
L162: anewarray java/util/List
L165: dup
L166: iconst_0
L167: aload_2
L168: aastore
L169: dup
L170: iconst_1
L171: new java/util/LinkedList
L174: dup
L175: aload_2
L176: invokespecial Method java/util/LinkedList <init> (Ljava/util/Collection;)V
L179: aastore
L180: dup
L181: iconst_2
L182: new java/util/Vector
L185: dup
L186: aload_2
L187: invokespecial Method java/util/Vector <init> (Ljava/util/Collection;)V
L190: aastore
L191: dup
L192: iconst_3
L193: aload_2
L194: invokeinterface InterfaceMethod java/util/List toArray ()[Ljava/lang/Object; 1
L199: invokestatic Method java/util/Arrays asList ([Ljava/lang/Object;)Ljava/util/List;
L202: aastore
L203: astore 5
L205: iconst_0
L206: istore 6
.stack append Object [Ljava/util/List; Integer
L208: iload 6
L210: aload 5
L212: arraylength
L213: if_icmpge L378
L216: aload 5
L218: iload 6
L220: aaload
L221: astore 7
L223: iconst_0
L224: istore 8
.stack append Object java/util/List Integer
L226: iload 8
L228: iload_1
L229: if_icmpgt L318
L232: aload 7
L234: aload_3
L235: iload 8
L237: aaload
L238: invokestatic Method java/util/Collections indexOfSubList (Ljava/util/List;Ljava/util/List;)I
L241: istore 9
L243: iload 9
L245: aload 4
L247: iload 8
L249: iaload
L250: if_icmpeq L312
L253: new java/lang/Exception
L256: dup
L257: new java/lang/StringBuilder
L260: dup
L261: invokespecial Method java/lang/StringBuilder <init> ()V
L264: aload 7
L266: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L269: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L272: ldc ' indexOfSubList: '
L274: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L277: iload 8
L279: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L282: ldc 'is '
L284: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L287: iload 9
L289: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L292: ldc ', should be '
L294: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L297: aload 4
L299: iload 8
L301: iaload
L302: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L305: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L308: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V
L311: athrow
.stack same_extended
L312: iinc 8 1
L315: goto L226
.stack chop 1
L318: aload 7
L320: iconst_2
L321: aload 7
L323: invokeinterface InterfaceMethod java/util/List size ()I 1
L328: imul
L329: ldc '0'
L331: invokestatic Method java/util/Collections nCopies (ILjava/lang/Object;)Ljava/util/List;
L334: invokestatic Method java/util/Collections indexOfSubList (Ljava/util/List;Ljava/util/List;)I
L337: iconst_m1
L338: if_icmpeq L372
L341: new java/lang/Exception
L344: dup
L345: new java/lang/StringBuilder
L348: dup
L349: invokespecial Method java/lang/StringBuilder <init> ()V
L352: aload 7
L354: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L357: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L360: ldc ' indexOfSubList: big target'
L362: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L365: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L368: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V
L371: athrow
.stack chop 1
L372: iinc 6 1
L375: goto L208
.stack chop 1
L378: aload_2
L379: invokestatic Method java/util/Collections reverse (Ljava/util/List;)V
L382: aload_2
L383: invokeinterface InterfaceMethod java/util/List size ()I 1
L388: istore 6
L390: iconst_0
L391: istore 7
.stack append Integer Integer
L393: iload 7
L395: iload_1
L396: if_icmpgt L441
L399: aload_3
L400: iload 7
L402: aaload
L403: invokestatic Method java/util/Collections reverse (Ljava/util/List;)V
L406: iload 7
L408: iload_1
L409: if_icmpeq L435
L412: aload 4
L414: iload 7
L416: iload 6
L418: aload 4
L420: iload 7
L422: iaload
L423: isub
L424: aload_3
L425: iload 7
L427: aaload
L428: invokeinterface InterfaceMethod java/util/List size ()I 1
L433: isub
L434: iastore
.stack same
L435: iinc 7 1
L438: goto L393
.stack chop 1
L441: iconst_4
L442: anewarray java/util/List
L445: dup
L446: iconst_0
L447: aload_2
L448: aastore
L449: dup
L450: iconst_1
L451: new java/util/LinkedList
L454: dup
L455: aload_2
L456: invokespecial Method java/util/LinkedList <init> (Ljava/util/Collection;)V
L459: aastore
L460: dup
L461: iconst_2
L462: new java/util/Vector
L465: dup
L466: aload_2
L467: invokespecial Method java/util/Vector <init> (Ljava/util/Collection;)V
L470: aastore
L471: dup
L472: iconst_3
L473: aload_2
L474: invokeinterface InterfaceMethod java/util/List toArray ()[Ljava/lang/Object; 1
L479: invokestatic Method java/util/Arrays asList ([Ljava/lang/Object;)Ljava/util/List;
L482: aastore
L483: astore 7
L485: iconst_0
L486: istore 8
.stack append Object [Ljava/util/List; Integer
L488: iload 8
L490: aload 7
L492: arraylength
L493: if_icmpge L658
L496: aload 7
L498: iload 8
L500: aaload
L501: astore 9
L503: iconst_0
L504: istore 10
.stack append Object java/util/List Integer
L506: iload 10
L508: iload_1
L509: if_icmpgt L598
L512: aload 9
L514: aload_3
L515: iload 10
L517: aaload
L518: invokestatic Method java/util/Collections lastIndexOfSubList (Ljava/util/List;Ljava/util/List;)I
L521: istore 11
L523: iload 11
L525: aload 4
L527: iload 10
L529: iaload
L530: if_icmpeq L592
L533: new java/lang/Exception
L536: dup
L537: new java/lang/StringBuilder
L540: dup
L541: invokespecial Method java/lang/StringBuilder <init> ()V
L544: aload 9
L546: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L549: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L552: ldc ' lastIdexOfSubList: '
L554: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L557: iload 10
L559: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L562: ldc 'is '
L564: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L567: iload 11
L569: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L572: ldc ', should be '
L574: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L577: aload 4
L579: iload 10
L581: iaload
L582: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L585: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L588: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V
L591: athrow
.stack same_extended
L592: iinc 10 1
L595: goto L506
.stack chop 1
L598: aload 9
L600: iconst_2
L601: aload 9
L603: invokeinterface InterfaceMethod java/util/List size ()I 1
L608: imul
L609: ldc '0'
L611: invokestatic Method java/util/Collections nCopies (ILjava/lang/Object;)Ljava/util/List;
L614: invokestatic Method java/util/Collections indexOfSubList (Ljava/util/List;Ljava/util/List;)I
L617: iconst_m1
L618: if_icmpeq L652
L621: new java/lang/Exception
L624: dup
L625: new java/lang/StringBuilder
L628: dup
L629: invokespecial Method java/lang/StringBuilder <init> ()V
L632: aload 9
L634: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L637: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L640: ldc ' lastIndexOfSubList: big tgt'
L642: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L645: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L648: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V
L651: athrow
.stack chop 1
L652: iinc 8 1
L655: goto L488
.stack chop 1
L658: return
L659:
.linenumbertable
L0 34
L4 35
L15 36
L22 37
L29 38
L38 39
L47 40
L55 41
L72 42
L99 41
L105 43
L111 44
L117 45
L126 47
L137 48
L146 49
L155 38
L161 53
L194 54
L205 55
L216 56
L223 58
L232 59
L243 60
L253 61
L312 58
L318 65
L341 67
L372 55
L378 71
L382 72
L390 73
L399 74
L406 75
L412 76
L435 73
L441 78
L474 79
L485 80
L496 81
L503 83
L512 84
L523 85
L533 86
L592 83
L598 89
L621 91
L652 80
L658 93
.end linenumbertable
.end code
.exceptions java/lang/Exception
.end method
.sourcefile 'FindSubList.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 11:42:13 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 FindSubList_ESTest extends FindSubList_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[6];
stringArray0[0] = "";
stringArray0[1] = "";
stringArray0[2] = "";
stringArray0[3] = "";
stringArray0[4] = "THN\"A!07i&?";
stringArray0[5] = "";
FindSubList.main(stringArray0);
FindSubList findSubList0 = new FindSubList();
String[] stringArray1 = new String[5];
stringArray1[0] = "THN\"A!07i&?";
stringArray1[1] = "";
stringArray1[2] = "";
stringArray1[3] = "";
stringArray1[4] = "";
FindSubList.main(stringArray1);
FindSubList.main(stringArray0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
String[] stringArray0 = new String[0];
FindSubList.main(stringArray0);
FindSubList.main(stringArray0);
FindSubList.main(stringArray0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
String[] stringArray0 = new String[4];
String string0 = "DFYOtB;HvFodg,9_+Z";
stringArray0[0] = "DFYOtB;HvFodg,9_+Z";
stringArray0[1] = "";
stringArray0[2] = "";
stringArray0[3] = "";
FindSubList.main(stringArray0);
String[] stringArray1 = new String[8];
stringArray1[0] = "DFYOtB;HvFodg,9_+Z";
stringArray1[1] = "DFYOtB;HvFodg,9_+Z";
stringArray1[2] = "DFYOtB;HvFodg,9_+Z";
stringArray1[3] = "";
stringArray1[4] = "";
stringArray1[5] = "";
stringArray1[6] = "";
stringArray1[7] = "";
FindSubList.main(stringArray1);
FindSubList.main(stringArray0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
String[] stringArray0 = new String[1];
stringArray0[0] = " bO4#1u5GvCd";
FindSubList.main(stringArray0);
FindSubList.main(stringArray0);
FindSubList.main(stringArray0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 11:42: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 FindSubList_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "FindSubList";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpm8m3zn4n");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(FindSubList_ESTest_scaffolding.class.getClassLoader() ,
"FindSubList"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(FindSubList_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"FindSubList"
);
}
}
| 4,971 |
Solution | /*
Задача №2 на преобразование целых типов
*/
public class Solution {
public static void main(String[] args) {
int a = 15;
int b = 4;
float c = (float) a / b; // added (float)
double d = a * 1e-3 + c;
System.out.println(d);
}
}
| .version 52 0
.class public super Solution
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 7
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 4 locals 6
L0: bipush 15
L2: istore_1
L3: iconst_4
L4: istore_2
L5: iload_1
L6: i2f
L7: iload_2
L8: i2f
L9: fdiv
L10: fstore_3
L11: iload_1
L12: i2d
L13: ldc2_w +0.001
L16: dmul
L17: fload_3
L18: f2d
L19: dadd
L20: dstore 4
L22: getstatic Field java/lang/System out Ljava/io/PrintStream;
L25: dload 4
L27: invokevirtual Method java/io/PrintStream println (D)V
L30: return
L31:
.linenumbertable
L0 9
L3 10
L5 11
L11 12
L22 14
L30 15
.end linenumbertable
.end code
.end method
.sourcefile 'Solution.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 07:58:04 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Solution_ESTest extends Solution_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Solution.main((String[]) null);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Solution solution0 = new Solution();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 07:58: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 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/tmprmt1ve2s");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.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"
);
}
}
| 4,972 |
ChapterNum | /*
* Copyright (c) 2005-2009 Grameen Foundation USA
* All rights reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
* implied. See the License for the specific language governing
* permissions and limitations under the License.
*
* See also http://www.apache.org/licenses/LICENSE-2.0.html for an
* explanation of the license and how it is applied.
*/
import java.util.ArrayList;
import java.util.Iterator;
import java.util.List;
/**
* Contains a representation of a "chapter number", like "4.1.3", "1.2.10", "1.2.20", etc. The
* chapter number is a comparable <a href="http://en.wikipedia.org/wiki/Tuple">tuple</a> (or group)
* of integers. Negative numbers must not be added to this tuple, although no explicit runtime
* checks exist to ensure this. If {@link #fromString(String)} is used, negative numbers will be
* filtered out. This is the preferred method for instantiating new objects of this class.
*
* <p>We don't need to override {@link ArrayList#equals(Object)}, the parent version works for us
* too.
*/
public class ChapterNum extends ArrayList<Integer> implements Comparable<List<Integer>> {
private static final long serialVersionUID = 1L;
public int compareTo(List<Integer> o) {
int i = 0, z = 1;
// lists are equal length, and all elements are equal.
if (this.equals(o)) return 0;
// must compare every element one by one
while (true) {
// the first number we encounter that is unequal immediately
// indicates sort order
if (this.get(i) < o.get(i)) return -1;
if (this.get(i) > o.get(i)) return 1;
// at end of both arrays and we're equal. Both must be equal.
// This case is covered by the above call to the parent class
// .equals() method
// if (this.size() == atElemNum && this.size() == o.size())
// return 0;
// we're at the end of this array and we're equal so far. Other
// must have more digits, hence, must be greater.
if (this.size() == z) return -1;
// we're at the end of the other array and we're equal so far.
// Other must have less digits, hence, must be less.
if (o.size() == z) return 1;
// we're equal so far, and both lists have more numbers to
// compare. increment and continue.
i++;
z++;
}
}
/** Returns a dotted numeric "chapter number", like "1.12.7". */
@Override
public String toString() {
String s = "";
Iterator<Integer> numiter = this.iterator();
while (numiter.hasNext()) {
s += numiter.next();
if (numiter.hasNext()) s += '.';
}
return s;
}
/**
* Instantiates a new <code>ChapterNum</code> object based on information found in the given
* string.
*
* <p>Dots are discarded and numbers are then parsed as <code>int</code>s.
*
* <p>Strings that don't exactly match the form <code>^\d+(\.\d+)*$</code> will result in a <code>
* null</code> return value.
*
* @param s {@link String} to transform into a <code>ChapterNum</code>.
* @return May be null if input does not match expected pattern of a chapter number.
*/
public static ChapterNum fromString(String s) {
if (null == s || s.length() < 1 || !s.matches("^\\d+(\\.\\d+)*$")) return null;
// extract digits
String[] ints = s.split("\\.");
ChapterNum c = new ChapterNum();
for (String intStr : ints) {
c.add(Integer.parseInt(intStr));
}
return c;
}
/** Exactly follows specification of {@link java.util.Comparator#compare(Object, Object)}. */
public static int compare(ChapterNum c1, ChapterNum c2) {
return c1.compareTo(c2);
}
/** Exactly follows specification of {@link java.util.Comparator#compare(Object, Object)}. */
public static int compare(String s1, String s2) {
return fromString(s1).compareTo(fromString(s2));
}
}
| .version 52 0
.class public super ChapterNum
.super java/util/ArrayList
.implements java/lang/Comparable
.field private static final serialVersionUID J = 1L
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/util/ArrayList <init> ()V
L4: return
L5:
.linenumbertable
L0 40
.end linenumbertable
.end code
.end method
.method public compareTo : (Ljava/util/List;)I
.code stack 3 locals 4
L0: iconst_0
L1: istore_2
L2: iconst_1
L3: istore_3
L4: aload_0
L5: aload_1
L6: invokevirtual Method ChapterNum equals (Ljava/lang/Object;)Z
L9: ifeq L14
L12: iconst_0
L13: ireturn
.stack append Integer Integer
L14: aload_0
L15: iload_2
L16: invokevirtual Method ChapterNum get (I)Ljava/lang/Object;
L19: checkcast java/lang/Integer
L22: invokevirtual Method java/lang/Integer intValue ()I
L25: aload_1
L26: iload_2
L27: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L32: checkcast java/lang/Integer
L35: invokevirtual Method java/lang/Integer intValue ()I
L38: if_icmpge L43
L41: iconst_m1
L42: ireturn
.stack same
L43: aload_0
L44: iload_2
L45: invokevirtual Method ChapterNum get (I)Ljava/lang/Object;
L48: checkcast java/lang/Integer
L51: invokevirtual Method java/lang/Integer intValue ()I
L54: aload_1
L55: iload_2
L56: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L61: checkcast java/lang/Integer
L64: invokevirtual Method java/lang/Integer intValue ()I
L67: if_icmple L72
L70: iconst_1
L71: ireturn
.stack same
L72: aload_0
L73: invokevirtual Method ChapterNum size ()I
L76: iload_3
L77: if_icmpne L82
L80: iconst_m1
L81: ireturn
.stack same
L82: aload_1
L83: invokeinterface InterfaceMethod java/util/List size ()I 1
L88: iload_3
L89: if_icmpne L94
L92: iconst_1
L93: ireturn
.stack same
L94: iinc 2 1
L97: iinc 3 1
L100: goto L14
L103:
.linenumbertable
L0 44
L4 47
L12 48
L14 54
L41 55
L43 56
L70 57
L72 67
L80 68
L82 72
L92 73
L94 77
L97 78
.end linenumbertable
.end code
.signature (Ljava/util/List<Ljava/lang/Integer;>;)I
.end method
.method public toString : ()Ljava/lang/String;
.code stack 2 locals 3
L0: ldc ''
L2: astore_1
L3: aload_0
L4: invokevirtual Method ChapterNum iterator ()Ljava/util/Iterator;
L7: astore_2
.stack append Object java/lang/String Object java/util/Iterator
L8: aload_2
L9: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1
L14: ifeq L73
L17: new java/lang/StringBuilder
L20: dup
L21: invokespecial Method java/lang/StringBuilder <init> ()V
L24: aload_1
L25: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L28: aload_2
L29: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1
L34: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L37: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L40: astore_1
L41: aload_2
L42: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1
L47: ifeq L8
L50: new java/lang/StringBuilder
L53: dup
L54: invokespecial Method java/lang/StringBuilder <init> ()V
L57: aload_1
L58: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L61: bipush 46
L63: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L66: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L69: astore_1
L70: goto L8
.stack same_extended
L73: aload_1
L74: areturn
L75:
.linenumbertable
L0 87
L3 88
L8 89
L17 90
L41 91
L50 92
L73 94
.end linenumbertable
.end code
.end method
.method public static fromString : (Ljava/lang/String;)LChapterNum;
.code stack 2 locals 7
L0: aconst_null
L1: aload_0
L2: if_acmpeq L22
L5: aload_0
L6: invokevirtual Method java/lang/String length ()I
L9: iconst_1
L10: if_icmplt L22
L13: aload_0
L14: ldc '^\\d+(\\.\\d+)*$'
L16: invokevirtual Method java/lang/String matches (Ljava/lang/String;)Z
L19: ifne L24
.stack same
L22: aconst_null
L23: areturn
.stack same
L24: aload_0
L25: ldc '\\.'
L27: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String;
L30: astore_1
L31: new ChapterNum
L34: dup
L35: invokespecial Method ChapterNum <init> ()V
L38: astore_2
L39: aload_1
L40: astore_3
L41: aload_3
L42: arraylength
L43: istore 4
L45: iconst_0
L46: istore 5
.stack full
locals Object java/lang/String Object [Ljava/lang/String; Object ChapterNum Object [Ljava/lang/String; Integer Integer
stack
.end stack
L48: iload 5
L50: iload 4
L52: if_icmpge L80
L55: aload_3
L56: iload 5
L58: aaload
L59: astore 6
L61: aload_2
L62: aload 6
L64: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I
L67: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L70: invokevirtual Method ChapterNum add (Ljava/lang/Object;)Z
L73: pop
L74: iinc 5 1
L77: goto L48
.stack chop 3
L80: aload_2
L81: areturn
L82:
.linenumbertable
L0 114
L22 115
L24 118
L31 119
L39 120
L61 121
L74 120
L80 124
.end linenumbertable
.end code
.end method
.method public static compare : (LChapterNum;LChapterNum;)I
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokevirtual Method ChapterNum compareTo (Ljava/util/List;)I
L5: ireturn
L6:
.linenumbertable
L0 132
.end linenumbertable
.end code
.end method
.method public static compare : (Ljava/lang/String;Ljava/lang/String;)I
.code stack 2 locals 2
L0: aload_0
L1: invokestatic Method ChapterNum fromString (Ljava/lang/String;)LChapterNum;
L4: aload_1
L5: invokestatic Method ChapterNum fromString (Ljava/lang/String;)LChapterNum;
L8: invokevirtual Method ChapterNum compareTo (Ljava/util/List;)I
L11: ireturn
L12:
.linenumbertable
L0 140
.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 java/util/List
L5: invokevirtual Method ChapterNum compareTo (Ljava/util/List;)I
L8: ireturn
L9:
.linenumbertable
L0 40
.end linenumbertable
.end code
.end method
.signature Ljava/util/ArrayList<Ljava/lang/Integer;>;Ljava/lang/Comparable<Ljava/util/List<Ljava/lang/Integer;>;>;
.sourcefile 'ChapterNum.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 14:23:55 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.util.LinkedList;
import java.util.List;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class ChapterNum_ESTest extends ChapterNum_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
// Undeclared exception!
try {
ChapterNum.compare("'CR", "'CR");
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("ChapterNum", e);
}
}
@Test(timeout = 4000)
public void test01() throws Throwable {
ChapterNum chapterNum0 = ChapterNum.fromString("0");
ChapterNum chapterNum1 = new ChapterNum();
// Undeclared exception!
try {
chapterNum0.compareTo((List<Integer>) chapterNum1);
fail("Expecting exception: IndexOutOfBoundsException");
} catch(IndexOutOfBoundsException e) {
//
// Index: 0, Size: 0
//
verifyException("java.util.ArrayList", e);
}
}
@Test(timeout = 4000)
public void test02() throws Throwable {
ChapterNum chapterNum0 = new ChapterNum();
String string0 = chapterNum0.toString();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
int int0 = ChapterNum.compare("0", "0");
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
ChapterNum chapterNum0 = ChapterNum.fromString("U&_N`B/1");
assertNull(chapterNum0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
ChapterNum chapterNum0 = ChapterNum.fromString("");
assertNull(chapterNum0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
ChapterNum chapterNum0 = new ChapterNum();
LinkedList<Integer> linkedList0 = new LinkedList<Integer>();
int int0 = chapterNum0.compareTo((List<Integer>) linkedList0);
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
ChapterNum chapterNum0 = ChapterNum.fromString((String) null);
assertNull(chapterNum0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
ChapterNum chapterNum0 = ChapterNum.fromString("0");
String string0 = chapterNum0.toString();
assertEquals("0", string0);
int int0 = chapterNum0.compareTo((List<Integer>) chapterNum0);
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
ChapterNum chapterNum0 = ChapterNum.fromString("0");
LinkedList<Integer> linkedList0 = new LinkedList<Integer>();
Integer integer0 = new Integer(8698);
linkedList0.addFirst(integer0);
int int0 = chapterNum0.compareTo((List<Integer>) linkedList0);
assertEquals((-1), int0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
ChapterNum chapterNum0 = ChapterNum.fromString("0");
assertFalse(chapterNum0.isEmpty());
assertNotNull(chapterNum0);
LinkedList<Integer> linkedList0 = new LinkedList<Integer>();
Integer integer0 = new Integer(0);
linkedList0.add(0, integer0);
linkedList0.add(integer0);
int int0 = chapterNum0.compareTo((List<Integer>) linkedList0);
assertEquals((-1), int0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
ChapterNum chapterNum0 = ChapterNum.fromString("0");
ChapterNum.compare(chapterNum0, chapterNum0);
LinkedList<Integer> linkedList0 = new LinkedList<Integer>();
Integer integer0 = new Integer(0);
linkedList0.add(0, integer0);
linkedList0.add(integer0);
chapterNum0.compareTo((List<Integer>) linkedList0);
// Undeclared exception!
try {
ChapterNum.compare("XPG~L)`{", "XPG~L)`{");
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("ChapterNum", e);
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 14:23:55 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class ChapterNum_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ChapterNum";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpnl8u6koc");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ChapterNum_ESTest_scaffolding.class.getClassLoader() ,
"ChapterNum"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ChapterNum_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ChapterNum"
);
}
}
| 4,973 |
RestServiceException | /** */
/**
* @author Jordi
*/
public class RestServiceException extends Exception {
/** */
private static final long serialVersionUID = 1L;
/** */
public RestServiceException() {}
/**
* @param message
*/
public RestServiceException(String message) {
super(message);
}
/**
* @param cause
*/
public RestServiceException(Throwable cause) {
super(cause);
}
/**
* @param message
* @param cause
*/
public RestServiceException(String message, Throwable cause) {
super(message, cause);
}
}
| .version 52 0
.class public super RestServiceException
.super java/lang/Exception
.field private static final serialVersionUID J = 1L
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Exception <init> ()V
L4: return
L5:
.linenumbertable
L0 20
L4 21
.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 27
L5 28
.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 34
L5 35
.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 42
L6 43
.end linenumbertable
.end code
.end method
.sourcefile 'RestServiceException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 05:19: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 RestServiceException_ESTest extends RestServiceException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
RestServiceException restServiceException0 = new RestServiceException((Throwable) null);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
RestServiceException restServiceException0 = new RestServiceException(".!o", (Throwable) null);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
RestServiceException restServiceException0 = new RestServiceException();
}
@Test(timeout = 4000)
public void test3() throws Throwable {
RestServiceException restServiceException0 = new RestServiceException((String) null);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 05:19: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 RestServiceException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "RestServiceException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpsicblvkj");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(RestServiceException_ESTest_scaffolding.class.getClassLoader() ,
"RestServiceException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RestServiceException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"RestServiceException"
);
}
}
| 4,974 |
FooInteger | /**
* I'm an integer but my too string method appends "Foo".
*
* <p>Use me in your enterprise apps
*/
public class FooInteger {
private final Integer i;
public FooInteger(Integer i) {
super();
this.i = i;
}
@Override
public String toString() {
return "Foo " + i;
}
}
| .version 52 0
.class public super FooInteger
.super java/lang/Object
.field private final i Ljava/lang/Integer;
.method public <init> : (Ljava/lang/Integer;)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 FooInteger i Ljava/lang/Integer;
L9: return
L10:
.linenumbertable
L0 15
L4 16
L9 17
.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 'Foo '
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field FooInteger i Ljava/lang/Integer;
L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L19: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L22: areturn
L23:
.linenumbertable
L0 21
.end linenumbertable
.end code
.end method
.sourcefile 'FooInteger.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 13:37:31 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class FooInteger_ESTest extends FooInteger_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
FooInteger fooInteger0 = new FooInteger((Integer) null);
String string0 = fooInteger0.toString();
assertEquals("Foo null", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 13:37:31 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class FooInteger_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "FooInteger";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmplt6iwfyb");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(FooInteger_ESTest_scaffolding.class.getClassLoader() ,
"FooInteger"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(FooInteger_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"FooInteger"
);
}
}
| 4,975 |
WrongDataBlockLengthException | /**
* SmartCard Handler Library
*
* <p>Copyright (C) 2010 by Networld Project Written by Alex Oberhauser <[email protected]>
* All Rights Reserved
*
* <p>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, version 3 of the
* License.
*
* <p>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.
*
* <p>You should have received a copy of the GNU General Public License along with this software. If
* not, see <http://www.gnu.org/licenses/>
*/
/**
* Exception that indicates that the block size is wrong. This exception could occur if the caller
* tries to write to match or to few data to a block.
*
* @author Alex Oberhauser
*/
public class WrongDataBlockLengthException extends Exception {
private static final long serialVersionUID = 2380357670529684015L;
public WrongDataBlockLengthException(String _exceptionMessage) {
super(_exceptionMessage);
}
}
| .version 52 0
.class public super WrongDataBlockLengthException
.super java/lang/Exception
.field private static final serialVersionUID J = 2380357670529684015L
.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 34
L5 35
.end linenumbertable
.end code
.end method
.sourcefile 'WrongDataBlockLengthException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 20:24: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 WrongDataBlockLengthException_ESTest extends WrongDataBlockLengthException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
WrongDataBlockLengthException wrongDataBlockLengthException0 = new WrongDataBlockLengthException("");
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 20: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 WrongDataBlockLengthException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "WrongDataBlockLengthException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmptvce398e");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(WrongDataBlockLengthException_ESTest_scaffolding.class.getClassLoader() ,
"WrongDataBlockLengthException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(WrongDataBlockLengthException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"WrongDataBlockLengthException"
);
}
}
| 4,976 |
ColorTheme | /*
* See the NOTICE file distributed with this work for additional
* information regarding copyright ownership.
*
* This is free software; you can redistribute it and/or modify it
* under the terms of the GNU Lesser General Public License as
* published by the Free Software Foundation; either version 2.1 of
* the License, or (at your option) any later version.
*
* This software is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
* Lesser General Public License for more details.
*
* You should have received a copy of the GNU Lesser General Public
* License along with this software; if not, write to the Free
* Software Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA
* 02110-1301 USA, or see the FSF site: http://www.fsf.org.
*/
import java.util.HashMap;
/**
* Map containing color theme variables and their values.
*
* @since 7.0RC1
* @version $Id$
*/
public class ColorTheme extends HashMap<String, String> {
/** Construct a new color theme. */
public ColorTheme() {
super();
}
/**
* Construct a copy of a color theme.
*
* @param colorTheme the color theme to copy
*/
public ColorTheme(ColorTheme colorTheme) {
super(colorTheme);
}
}
| .version 52 0
.class public super ColorTheme
.super java/util/HashMap
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/util/HashMap <init> ()V
L4: return
L5:
.linenumbertable
L0 37
L4 38
.end linenumbertable
.end code
.end method
.method public <init> : (LColorTheme;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/util/HashMap <init> (Ljava/util/Map;)V
L5: return
L6:
.linenumbertable
L0 46
L5 47
.end linenumbertable
.end code
.end method
.signature Ljava/util/HashMap<Ljava/lang/String;Ljava/lang/String;>;
.sourcefile 'ColorTheme.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 04:12:43 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class ColorTheme_ESTest extends ColorTheme_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ColorTheme colorTheme0 = new ColorTheme();
ColorTheme colorTheme1 = new ColorTheme(colorTheme0);
assertEquals(0, colorTheme1.size());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 04:12: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 ColorTheme_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ColorTheme";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp9nmwm6dy");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ColorTheme_ESTest_scaffolding.class.getClassLoader() ,
"ColorTheme"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ColorTheme_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ColorTheme"
);
}
}
| 4,977 |
FilterUtil | public class FilterUtil {
private String property;
private String value;
public String getProperty() {
return property;
}
public void setProperty(String property) {
this.property = property;
}
public String getValue() {
return value;
}
public void setValue(String value) {
this.value = value;
}
}
| .version 52 0
.class public super FilterUtil
.super java/lang/Object
.field private property Ljava/lang/String;
.field private value Ljava/lang/String;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 3
.end linenumbertable
.end code
.end method
.method public getProperty : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field FilterUtil property Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 9
.end linenumbertable
.end code
.end method
.method public setProperty : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field FilterUtil property Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 12
L5 13
.end linenumbertable
.end code
.end method
.method public getValue : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field FilterUtil value Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 15
.end linenumbertable
.end code
.end method
.method public setValue : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field FilterUtil value Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 18
L5 19
.end linenumbertable
.end code
.end method
.sourcefile 'FilterUtil.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 21:55: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 FilterUtil_ESTest extends FilterUtil_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
FilterUtil filterUtil0 = new FilterUtil();
filterUtil0.setValue("Y(g+ Ev*@$");
String string0 = filterUtil0.getValue();
assertEquals("Y(g+ Ev*@$", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
FilterUtil filterUtil0 = new FilterUtil();
filterUtil0.setValue("");
String string0 = filterUtil0.getValue();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
FilterUtil filterUtil0 = new FilterUtil();
filterUtil0.setProperty("t:r^@@Di0|qm");
String string0 = filterUtil0.getProperty();
assertEquals("t:r^@@Di0|qm", string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
FilterUtil filterUtil0 = new FilterUtil();
filterUtil0.setProperty("");
String string0 = filterUtil0.getProperty();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
FilterUtil filterUtil0 = new FilterUtil();
String string0 = filterUtil0.getValue();
assertNull(string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
FilterUtil filterUtil0 = new FilterUtil();
String string0 = filterUtil0.getProperty();
assertNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 21:55: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 FilterUtil_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "FilterUtil";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpxab0n9it");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(FilterUtil_ESTest_scaffolding.class.getClassLoader() ,
"FilterUtil"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(FilterUtil_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"FilterUtil"
);
}
}
| 4,978 |
Claim | /*
* Copyright (c) 2016, WSO2 Inc. (http://www.wso2.org) All Rights Reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
/** Represents the simplest form of the metadata of a claim. */
public class Claim {
private String claimDialectURI;
private String claimURI;
public Claim(String claimDialectURI, String claimURI) {
this.claimDialectURI = claimDialectURI;
this.claimURI = claimURI;
}
public String getClaimDialectURI() {
return claimDialectURI;
}
public String getClaimURI() {
return claimURI;
}
}
| .version 52 0
.class public super Claim
.super java/lang/Object
.field private claimDialectURI Ljava/lang/String;
.field private claimURI Ljava/lang/String;
.method public <init> : (Ljava/lang/String;Ljava/lang/String;)V
.code stack 2 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field Claim claimDialectURI Ljava/lang/String;
L9: aload_0
L10: aload_2
L11: putfield Field Claim claimURI Ljava/lang/String;
L14: return
L15:
.linenumbertable
L0 26
L4 27
L9 28
L14 29
.end linenumbertable
.end code
.end method
.method public getClaimDialectURI : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Claim claimDialectURI Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 32
.end linenumbertable
.end code
.end method
.method public getClaimURI : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Claim claimURI Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 36
.end linenumbertable
.end code
.end method
.sourcefile 'Claim.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 04:58:40 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Claim_ESTest extends Claim_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Claim claim0 = new Claim((String) null, (String) null);
String string0 = claim0.getClaimURI();
assertNull(string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Claim claim0 = new Claim("b", "$.^2");
String string0 = claim0.getClaimURI();
assertEquals("$.^2", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Claim claim0 = new Claim((String) null, (String) null);
String string0 = claim0.getClaimDialectURI();
assertNull(string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Claim claim0 = new Claim("b", "$.^2");
String string0 = claim0.getClaimDialectURI();
assertEquals("b", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Claim claim0 = new Claim("", "");
String string0 = claim0.getClaimDialectURI();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Claim claim0 = new Claim("", "");
String string0 = claim0.getClaimURI();
assertEquals("", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 04:58: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 Claim_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Claim";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpbpkwilpy");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Claim_ESTest_scaffolding.class.getClassLoader() ,
"Claim"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Claim_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Claim"
);
}
}
| 4,979 |
Demo | import java.util.concurrent.TimeUnit;
/** T2线程能否执行? */
public class Demo {
int count = 0;
synchronized void test() {
System.out.println(Thread.currentThread().getName() + " start......");
while (true) {
count++;
System.out.println(Thread.currentThread().getName() + " count = " + count);
try {
TimeUnit.SECONDS.sleep(1);
} catch (InterruptedException e) {
e.printStackTrace();
}
if (count == 5) {
// 碰到异常的情况,如果没有处理,会自动释放锁,所以T2可以执行。
int i = 1 / 0;
}
}
}
public static void main(String[] args) {
Demo demo11 = new Demo();
Runnable r = () -> demo11.test();
new Thread(r, "t1").start();
try {
TimeUnit.SECONDS.sleep(1);
} catch (InterruptedException e) {
e.printStackTrace();
}
new Thread(r, "t2").start();
}
}
| .version 52 0
.class public super Demo
.super java/lang/Object
.field count I
.method public <init> : ()V
.code stack 2 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iconst_0
L6: putfield Field Demo count I
L9: return
L10:
.linenumbertable
L0 8
L4 10
.end linenumbertable
.end code
.end method
.method synchronized test : ()V
.code stack 3 locals 2
L0: getstatic Field java/lang/System out Ljava/io/PrintStream;
L3: new java/lang/StringBuilder
L6: dup
L7: invokespecial Method java/lang/StringBuilder <init> ()V
L10: invokestatic Method java/lang/Thread currentThread ()Ljava/lang/Thread;
L13: invokevirtual Method java/lang/Thread getName ()Ljava/lang/String;
L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L19: ldc ' start......'
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L27: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack same
L30: aload_0
L31: dup
L32: getfield Field Demo count I
L35: iconst_1
L36: iadd
L37: putfield Field Demo count I
L40: getstatic Field java/lang/System out Ljava/io/PrintStream;
L43: new java/lang/StringBuilder
L46: dup
L47: invokespecial Method java/lang/StringBuilder <init> ()V
L50: invokestatic Method java/lang/Thread currentThread ()Ljava/lang/Thread;
L53: invokevirtual Method java/lang/Thread getName ()Ljava/lang/String;
L56: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L59: ldc ' count = '
L61: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L64: aload_0
L65: getfield Field Demo count I
L68: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L71: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L74: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.catch java/lang/InterruptedException from L77 to L84 using L87
L77: getstatic Field java/util/concurrent/TimeUnit SECONDS Ljava/util/concurrent/TimeUnit;
L80: lconst_1
L81: invokevirtual Method java/util/concurrent/TimeUnit sleep (J)V
L84: goto L92
.stack stack_1 Object java/lang/InterruptedException
L87: astore_1
L88: aload_1
L89: invokevirtual Method java/lang/InterruptedException printStackTrace ()V
.stack same
L92: aload_0
L93: getfield Field Demo count I
L96: iconst_5
L97: if_icmpne L30
L100: iconst_1
L101: iconst_0
L102: idiv
L103: istore_1
L104: goto L30
L107:
.linenumbertable
L0 13
L30 15
L40 16
L77 18
L84 21
L87 19
L88 20
L92 22
L100 24
L104 25
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 4 locals 4
L0: new Demo
L3: dup
L4: invokespecial Method Demo <init> ()V
L7: astore_1
L8: aload_1
L9: invokedynamic [id20]
L14: astore_2
L15: new java/lang/Thread
L18: dup
L19: aload_2
L20: ldc 't1'
L22: invokespecial Method java/lang/Thread <init> (Ljava/lang/Runnable;Ljava/lang/String;)V
L25: invokevirtual Method java/lang/Thread start ()V
.catch java/lang/InterruptedException from L28 to L35 using L38
L28: getstatic Field java/util/concurrent/TimeUnit SECONDS Ljava/util/concurrent/TimeUnit;
L31: lconst_1
L32: invokevirtual Method java/util/concurrent/TimeUnit sleep (J)V
L35: goto L43
.stack full
locals Object [Ljava/lang/String; Object Demo Object java/lang/Runnable
stack Object java/lang/InterruptedException
.end stack
L38: astore_3
L39: aload_3
L40: invokevirtual Method java/lang/InterruptedException printStackTrace ()V
.stack same
L43: new java/lang/Thread
L46: dup
L47: aload_2
L48: ldc 't2'
L50: invokespecial Method java/lang/Thread <init> (Ljava/lang/Runnable;Ljava/lang/String;)V
L53: invokevirtual Method java/lang/Thread start ()V
L56: return
L57:
.linenumbertable
L0 30
L8 32
L15 34
L28 37
L35 40
L38 38
L39 39
L43 41
L56 42
.end linenumbertable
.end code
.end method
.method private static synthetic lambda$main$0 : (LDemo;)V
.code stack 1 locals 1
L0: aload_0
L1: invokevirtual Method Demo test ()V
L4: return
L5:
.linenumbertable
L0 32
.end linenumbertable
.end code
.end method
.sourcefile 'Demo.java'
.innerclasses
java/lang/invoke/MethodHandles$Lookup java/lang/invoke/MethodHandles Lookup public static final
.end innerclasses
.const [id20] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory (Ljava/lang/invoke/MethodHandles$Lookup;Ljava/lang/String;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodHandle;Ljava/lang/invoke/MethodType;)Ljava/lang/invoke/CallSite; MethodType ()V MethodHandle invokeStatic Method Demo lambda$main$0 (LDemo;)V MethodType ()V : run (LDemo;)Ljava/lang/Runnable;
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 06:53:33 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Demo_ESTest extends Demo_ESTest_scaffolding {
@Test
public void notGeneratedAnyTest() {
// EvoSuite did not generate any tests
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 06:53:33 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 Demo_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 = "Demo";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.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(Demo_ESTest_scaffolding.class.getClassLoader() ,
"Demo"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Demo_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Demo"
);
}
}
| 4,980 |
zhuanhuanHtml | import java.util.regex.Matcher;
import java.util.regex.Pattern;
public class zhuanhuanHtml {
public String htmldecode(String html) {
html = html.replace("&", "&");
html = html.replace("<", "<");
html = html.replace(">", ">");
html = html.replace("&mt;", "#");
html = html.replace("&ft;", "'");
return html;
}
public String htmlencode(String html) {
html = html.replace("&", "&");
html = html.replace("<", "<");
html = html.replace(">", ">");
html = html.replace("#", "&mt;");
html = html.replace("'", "&ft;");
return html;
}
private static final String regEx_script =
"<script[^>]*?>[\\s\\S]*?<\\/script>"; // 定义script的正则表达式
private static final String regEx_style = "<style[^>]*?>[\\s\\S]*?<\\/style>"; // 定义style的正则表达式
private static final String regEx_html = "<[^>]+>"; // 定义HTML标签的正则表达式
private static final String regEx_space = "\\s*|\t|\r|\n"; // 定义空格回车换行符
/**
* @param htmlStr
* @return 删除Html标签
*/
public static String delHTMLTag(String htmlStr) {
Pattern p_script = Pattern.compile(regEx_script, Pattern.CASE_INSENSITIVE);
Matcher m_script = p_script.matcher(htmlStr);
htmlStr = m_script.replaceAll(""); // 过滤script标签
Pattern p_style = Pattern.compile(regEx_style, Pattern.CASE_INSENSITIVE);
Matcher m_style = p_style.matcher(htmlStr);
htmlStr = m_style.replaceAll(""); // 过滤style标签
Pattern p_html = Pattern.compile(regEx_html, Pattern.CASE_INSENSITIVE);
Matcher m_html = p_html.matcher(htmlStr);
htmlStr = m_html.replaceAll(""); // 过滤html标签
Pattern p_space = Pattern.compile(regEx_space, Pattern.CASE_INSENSITIVE);
Matcher m_space = p_space.matcher(htmlStr);
htmlStr = m_space.replaceAll(""); // 过滤空格回车标签
return htmlStr.trim(); // 返回文本字符串
}
}
| .version 52 0
.class public super zhuanhuanHtml
.super java/lang/Object
.field private static final regEx_script Ljava/lang/String; = '<script[^>]*?>[\\s\\S]*?<\\/script>'
.field private static final regEx_style Ljava/lang/String; = '<style[^>]*?>[\\s\\S]*?<\\/style>'
.field private static final regEx_html Ljava/lang/String; = '<[^>]+>'
.field private static final regEx_space Ljava/lang/String; = '\\s*|\t|\r|\n'
.method 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 htmldecode : (Ljava/lang/String;)Ljava/lang/String;
.code stack 3 locals 2
L0: aload_1
L1: ldc '&'
L3: ldc '&'
L5: invokevirtual Method java/lang/String replace (Ljava/lang/CharSequence;Ljava/lang/CharSequence;)Ljava/lang/String;
L8: astore_1
L9: aload_1
L10: ldc '<'
L12: ldc '<'
L14: invokevirtual Method java/lang/String replace (Ljava/lang/CharSequence;Ljava/lang/CharSequence;)Ljava/lang/String;
L17: astore_1
L18: aload_1
L19: ldc '>'
L21: ldc '>'
L23: invokevirtual Method java/lang/String replace (Ljava/lang/CharSequence;Ljava/lang/CharSequence;)Ljava/lang/String;
L26: astore_1
L27: aload_1
L28: ldc '&mt;'
L30: ldc '#'
L32: invokevirtual Method java/lang/String replace (Ljava/lang/CharSequence;Ljava/lang/CharSequence;)Ljava/lang/String;
L35: astore_1
L36: aload_1
L37: ldc '&ft;'
L39: ldc "'"
L41: invokevirtual Method java/lang/String replace (Ljava/lang/CharSequence;Ljava/lang/CharSequence;)Ljava/lang/String;
L44: astore_1
L45: aload_1
L46: areturn
L47:
.linenumbertable
L0 9
L9 10
L18 11
L27 12
L36 13
L45 15
.end linenumbertable
.end code
.end method
.method public htmlencode : (Ljava/lang/String;)Ljava/lang/String;
.code stack 3 locals 2
L0: aload_1
L1: ldc '&'
L3: ldc '&'
L5: invokevirtual Method java/lang/String replace (Ljava/lang/CharSequence;Ljava/lang/CharSequence;)Ljava/lang/String;
L8: astore_1
L9: aload_1
L10: ldc '<'
L12: ldc '<'
L14: invokevirtual Method java/lang/String replace (Ljava/lang/CharSequence;Ljava/lang/CharSequence;)Ljava/lang/String;
L17: astore_1
L18: aload_1
L19: ldc '>'
L21: ldc '>'
L23: invokevirtual Method java/lang/String replace (Ljava/lang/CharSequence;Ljava/lang/CharSequence;)Ljava/lang/String;
L26: astore_1
L27: aload_1
L28: ldc '#'
L30: ldc '&mt;'
L32: invokevirtual Method java/lang/String replace (Ljava/lang/CharSequence;Ljava/lang/CharSequence;)Ljava/lang/String;
L35: astore_1
L36: aload_1
L37: ldc "'"
L39: ldc '&ft;'
L41: invokevirtual Method java/lang/String replace (Ljava/lang/CharSequence;Ljava/lang/CharSequence;)Ljava/lang/String;
L44: astore_1
L45: aload_1
L46: areturn
L47:
.linenumbertable
L0 20
L9 21
L18 22
L27 23
L36 24
L45 26
.end linenumbertable
.end code
.end method
.method public static delHTMLTag : (Ljava/lang/String;)Ljava/lang/String;
.code stack 2 locals 9
L0: ldc '<script[^>]*?>[\\s\\S]*?<\\/script>'
L2: iconst_2
L3: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;I)Ljava/util/regex/Pattern;
L6: astore_1
L7: aload_1
L8: aload_0
L9: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher;
L12: astore_2
L13: aload_2
L14: ldc ''
L16: invokevirtual Method java/util/regex/Matcher replaceAll (Ljava/lang/String;)Ljava/lang/String;
L19: astore_0
L20: ldc '<style[^>]*?>[\\s\\S]*?<\\/style>'
L22: iconst_2
L23: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;I)Ljava/util/regex/Pattern;
L26: astore_3
L27: aload_3
L28: aload_0
L29: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher;
L32: astore 4
L34: aload 4
L36: ldc ''
L38: invokevirtual Method java/util/regex/Matcher replaceAll (Ljava/lang/String;)Ljava/lang/String;
L41: astore_0
L42: ldc '<[^>]+>'
L44: iconst_2
L45: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;I)Ljava/util/regex/Pattern;
L48: astore 5
L50: aload 5
L52: aload_0
L53: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher;
L56: astore 6
L58: aload 6
L60: ldc ''
L62: invokevirtual Method java/util/regex/Matcher replaceAll (Ljava/lang/String;)Ljava/lang/String;
L65: astore_0
L66: ldc '\\s*|\t|\r|\n'
L68: iconst_2
L69: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;I)Ljava/util/regex/Pattern;
L72: astore 7
L74: aload 7
L76: aload_0
L77: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher;
L80: astore 8
L82: aload 8
L84: ldc ''
L86: invokevirtual Method java/util/regex/Matcher replaceAll (Ljava/lang/String;)Ljava/lang/String;
L89: astore_0
L90: aload_0
L91: invokevirtual Method java/lang/String trim ()Ljava/lang/String;
L94: areturn
L95:
.linenumbertable
L0 39
L7 40
L13 41
L20 43
L27 44
L34 45
L42 47
L50 48
L58 49
L66 51
L74 52
L82 53
L90 54
.end linenumbertable
.end code
.end method
.sourcefile 'zhuanhuanHtml.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 00:03: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 zhuanhuanHtml_ESTest extends zhuanhuanHtml_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
zhuanhuanHtml zhuanhuanHtml0 = new zhuanhuanHtml();
String string0 = zhuanhuanHtml0.htmlencode("");
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
zhuanhuanHtml zhuanhuanHtml0 = new zhuanhuanHtml();
String string0 = zhuanhuanHtml0.htmldecode("");
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
String string0 = zhuanhuanHtml.delHTMLTag("");
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
zhuanhuanHtml zhuanhuanHtml0 = new zhuanhuanHtml();
String string0 = zhuanhuanHtml0.htmldecode("&]t;");
assertEquals("&]t;", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
zhuanhuanHtml zhuanhuanHtml0 = new zhuanhuanHtml();
String string0 = zhuanhuanHtml0.htmlencode("&]t;");
assertEquals("&]t;", string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
String string0 = zhuanhuanHtml.delHTMLTag("&]t;");
assertEquals("&]t;", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 00:03: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 zhuanhuanHtml_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "zhuanhuanHtml";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp0jlsqdw9");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(zhuanhuanHtml_ESTest_scaffolding.class.getClassLoader() ,
"zhuanhuanHtml"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(zhuanhuanHtml_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"zhuanhuanHtml"
);
}
}
| 4,981 |
APIUsageStatisticsClientConstants | /*
* Copyright (c) 2005-2010, WSO2 Inc. (http://www.wso2.org) All Rights Reserved.
*
* WSO2 Inc. licenses this file to you under the Apache License,
* Version 2.0 (the "License"); you may not use this file except
* in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing,
* software distributed under the License is distributed on an
* "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
* KIND, either express or implied. See the License for the
* specific language governing permissions and limitations
* under the License.
*/
public final class APIUsageStatisticsClientConstants {
public static final String API_VERSION_SERVICE_TIME_SUMMARY = "API_RESPONSE_SUMMARY";
public static final String API_VERSION_SERVICE_TIME_SUMMARY_INDEX =
"APIVersionServiceTimeSummaryIndex";
public static final String API_Resource_Path_USAGE_SUMMARY = "API_Resource_USAGE_SUMMARY";
public static final String API_VERSION_USAGE_SUMMARY = "API_VERSION_USAGE_SUMMARY";
public static final String API_VERSION_USAGE_SUMMARY_INDEX = "APIVersionUsageSummaryIndex";
public static final String API_VERSION_KEY_USAGE_SUMMARY = "APIVersionKeyUsageSummary";
public static final String API_VERSION_KEY_USAGE_SUMMARY_INDEX = "APIVersionKeyUsageSummaryIndex";
public static final String API_VERSION_KEY_LAST_ACCESS_SUMMARY = "API_REQUEST_SUMMARY";
public static final String API_VERSION_KEY_LAST_ACCESS_SUMMARY_INDEX =
"APIVersionKeyLastAccessSummaryIndex";
public static final String KEY_USAGE_SUMMARY = "API_REQUEST_SUMMARY";
public static final String KEY_USAGE_MONTH_SUMMARY = "API_REQUEST_MONTHLY_SUMMARY";
public static final String MONTH = "month";
public static final String API_FAULT_SUMMARY = " API_FAULT_SUMMARY";
public static final String API_REQUEST_TIME_FAULT_SUMMARY = "API_REQUEST_TIME_FAULT_SUMMARY";
public static final String KEY_USAGE_SUMMARY_INDEX = "KeyUsageSummaryIndex";
public static final String ROWS = "rows";
public static final String ROW = "row";
public static final String REQUEST = "total_request_count";
public static final String API = "api";
public static final String API_VERSION = "api_version";
public static final String SERVICE_TIME = "servicetime";
public static final String VERSION = "version";
public static final String METHOD = "method";
public static final String CONTEXT = "context";
public static final String RESPONSE = "total_response_count";
public static final String INVOCATION_TIME = "requesttime";
public static final String FAULT = "total_fault_count";
public static final String REQUEST_TIME = "max_request_time";
public static final String CONSUMER_KEY = "CONSUMERKEY";
public static final String USER_ID = "userid";
public static final String YEAR = "year";
public static final String DAY = "day";
public static final String TIME = "time";
public static final int DEFAULT_RESULTS_LIMIT = 10;
public static final String ALL_PROVIDERS = "__all_providers__";
public static final String API_USAGE_TRACKING = "APIUsageTracking.";
public static final String API_USAGE_JDBC_DRIVER = API_USAGE_TRACKING + "JDBCDriver";
public static final String API_USAGE_JDBC_URL = API_USAGE_TRACKING + "JDBCUrl";
public static final String API_USAGE_JDBC_UserName = API_USAGE_TRACKING + "JDBCUserName";
public static final String API_USAGE_JDBC_Password = API_USAGE_TRACKING + "JDBCPassword";
}
| .version 52 0
.class public final super APIUsageStatisticsClientConstants
.super java/lang/Object
.field public static final API_VERSION_SERVICE_TIME_SUMMARY Ljava/lang/String; = 'API_RESPONSE_SUMMARY'
.field public static final API_VERSION_SERVICE_TIME_SUMMARY_INDEX Ljava/lang/String; = 'APIVersionServiceTimeSummaryIndex'
.field public static final API_Resource_Path_USAGE_SUMMARY Ljava/lang/String; = 'API_Resource_USAGE_SUMMARY'
.field public static final API_VERSION_USAGE_SUMMARY Ljava/lang/String; = 'API_VERSION_USAGE_SUMMARY'
.field public static final API_VERSION_USAGE_SUMMARY_INDEX Ljava/lang/String; = 'APIVersionUsageSummaryIndex'
.field public static final API_VERSION_KEY_USAGE_SUMMARY Ljava/lang/String; = 'APIVersionKeyUsageSummary'
.field public static final API_VERSION_KEY_USAGE_SUMMARY_INDEX Ljava/lang/String; = 'APIVersionKeyUsageSummaryIndex'
.field public static final API_VERSION_KEY_LAST_ACCESS_SUMMARY Ljava/lang/String; = 'API_REQUEST_SUMMARY'
.field public static final API_VERSION_KEY_LAST_ACCESS_SUMMARY_INDEX Ljava/lang/String; = 'APIVersionKeyLastAccessSummaryIndex'
.field public static final KEY_USAGE_SUMMARY Ljava/lang/String; = 'API_REQUEST_SUMMARY'
.field public static final KEY_USAGE_MONTH_SUMMARY Ljava/lang/String; = 'API_REQUEST_MONTHLY_SUMMARY'
.field public static final MONTH Ljava/lang/String; = 'month'
.field public static final API_FAULT_SUMMARY Ljava/lang/String; = ' API_FAULT_SUMMARY'
.field public static final API_REQUEST_TIME_FAULT_SUMMARY Ljava/lang/String; = 'API_REQUEST_TIME_FAULT_SUMMARY'
.field public static final KEY_USAGE_SUMMARY_INDEX Ljava/lang/String; = 'KeyUsageSummaryIndex'
.field public static final ROWS Ljava/lang/String; = 'rows'
.field public static final ROW Ljava/lang/String; = 'row'
.field public static final REQUEST Ljava/lang/String; = 'total_request_count'
.field public static final API Ljava/lang/String; = 'api'
.field public static final API_VERSION Ljava/lang/String; = 'api_version'
.field public static final SERVICE_TIME Ljava/lang/String; = 'servicetime'
.field public static final VERSION Ljava/lang/String; = 'version'
.field public static final METHOD Ljava/lang/String; = 'method'
.field public static final CONTEXT Ljava/lang/String; = 'context'
.field public static final RESPONSE Ljava/lang/String; = 'total_response_count'
.field public static final INVOCATION_TIME Ljava/lang/String; = 'requesttime'
.field public static final FAULT Ljava/lang/String; = 'total_fault_count'
.field public static final REQUEST_TIME Ljava/lang/String; = 'max_request_time'
.field public static final CONSUMER_KEY Ljava/lang/String; = 'CONSUMERKEY'
.field public static final USER_ID Ljava/lang/String; = 'userid'
.field public static final YEAR Ljava/lang/String; = 'year'
.field public static final DAY Ljava/lang/String; = 'day'
.field public static final TIME Ljava/lang/String; = 'time'
.field public static final DEFAULT_RESULTS_LIMIT I = 10
.field public static final ALL_PROVIDERS Ljava/lang/String; = '__all_providers__'
.field public static final API_USAGE_TRACKING Ljava/lang/String; = 'APIUsageTracking.'
.field public static final API_USAGE_JDBC_DRIVER Ljava/lang/String; = 'APIUsageTracking.JDBCDriver'
.field public static final API_USAGE_JDBC_URL Ljava/lang/String; = 'APIUsageTracking.JDBCUrl'
.field public static final API_USAGE_JDBC_UserName Ljava/lang/String; = 'APIUsageTracking.JDBCUserName'
.field public static final API_USAGE_JDBC_Password Ljava/lang/String; = 'APIUsageTracking.JDBCPassword'
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 20
.end linenumbertable
.end code
.end method
.sourcefile 'APIUsageStatisticsClientConstants.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 17:16: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 APIUsageStatisticsClientConstants_ESTest extends APIUsageStatisticsClientConstants_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
APIUsageStatisticsClientConstants aPIUsageStatisticsClientConstants0 = new APIUsageStatisticsClientConstants();
assertEquals(10, APIUsageStatisticsClientConstants.DEFAULT_RESULTS_LIMIT);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 17:16: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 APIUsageStatisticsClientConstants_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "APIUsageStatisticsClientConstants";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpvd6_uvgn");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(APIUsageStatisticsClientConstants_ESTest_scaffolding.class.getClassLoader() ,
"APIUsageStatisticsClientConstants"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(APIUsageStatisticsClientConstants_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"APIUsageStatisticsClientConstants"
);
}
}
| 4,982 |
Programmer | public class Programmer {
public void code() {
System.out.println("I'm a Programmer, Just Coding...");
}
}
| .version 52 0
.class public super Programmer
.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 code : ()V
.code stack 2 locals 1
L0: getstatic Field java/lang/System out Ljava/io/PrintStream;
L3: ldc "I'm a Programmer, Just Coding..."
L5: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L8: return
L9:
.linenumbertable
L0 6
L8 7
.end linenumbertable
.end code
.end method
.sourcefile 'Programmer.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 13:43: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 Programmer_ESTest extends Programmer_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Programmer programmer0 = new Programmer();
programmer0.code();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 13: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 Programmer_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Programmer";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpdx3gtqtc");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Programmer_ESTest_scaffolding.class.getClassLoader() ,
"Programmer"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Programmer_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Programmer"
);
}
}
| 4,983 |
TransferableImage | import java.awt.Image;
import java.awt.datatransfer.Clipboard;
import java.awt.datatransfer.ClipboardOwner;
import java.awt.datatransfer.DataFlavor;
import java.awt.datatransfer.Transferable;
import java.awt.datatransfer.UnsupportedFlavorException;
import java.io.IOException;
public class TransferableImage implements Transferable, ClipboardOwner {
private Image image;
public TransferableImage(Image uneImage) {
image = uneImage;
}
public Object getTransferData(DataFlavor flavor) throws UnsupportedFlavorException, IOException {
if (!isDataFlavorSupported(flavor)) throw new UnsupportedFlavorException(flavor);
return image;
}
public DataFlavor[] getTransferDataFlavors() {
return new DataFlavor[] {DataFlavor.imageFlavor};
}
public boolean isDataFlavorSupported(DataFlavor flavor) {
return DataFlavor.imageFlavor.equals(flavor);
}
public void finalize() {
image = null;
}
public void lostOwnership(Clipboard clipboard, Transferable contents) {
// System.out.println("lost");
// finalize();
}
}
| .version 52 0
.class public super TransferableImage
.super java/lang/Object
.implements java/awt/datatransfer/Transferable
.implements java/awt/datatransfer/ClipboardOwner
.field private image Ljava/awt/Image;
.method public <init> : (Ljava/awt/Image;)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 TransferableImage image Ljava/awt/Image;
L9: return
L10:
.linenumbertable
L0 14
L4 15
L9 16
.end linenumbertable
.end code
.end method
.method public getTransferData : (Ljava/awt/datatransfer/DataFlavor;)Ljava/lang/Object;
.code stack 3 locals 2
L0: aload_0
L1: aload_1
L2: invokevirtual Method TransferableImage isDataFlavorSupported (Ljava/awt/datatransfer/DataFlavor;)Z
L5: ifne L17
L8: new java/awt/datatransfer/UnsupportedFlavorException
L11: dup
L12: aload_1
L13: invokespecial Method java/awt/datatransfer/UnsupportedFlavorException <init> (Ljava/awt/datatransfer/DataFlavor;)V
L16: athrow
.stack same
L17: aload_0
L18: getfield Field TransferableImage image Ljava/awt/Image;
L21: areturn
L22:
.linenumbertable
L0 19
L8 20
L17 21
.end linenumbertable
.end code
.exceptions java/awt/datatransfer/UnsupportedFlavorException java/io/IOException
.end method
.method public getTransferDataFlavors : ()[Ljava/awt/datatransfer/DataFlavor;
.code stack 4 locals 1
L0: iconst_1
L1: anewarray java/awt/datatransfer/DataFlavor
L4: dup
L5: iconst_0
L6: getstatic Field java/awt/datatransfer/DataFlavor imageFlavor Ljava/awt/datatransfer/DataFlavor;
L9: aastore
L10: areturn
L11:
.linenumbertable
L0 25
.end linenumbertable
.end code
.end method
.method public isDataFlavorSupported : (Ljava/awt/datatransfer/DataFlavor;)Z
.code stack 2 locals 2
L0: getstatic Field java/awt/datatransfer/DataFlavor imageFlavor Ljava/awt/datatransfer/DataFlavor;
L3: aload_1
L4: invokevirtual Method java/awt/datatransfer/DataFlavor equals (Ljava/awt/datatransfer/DataFlavor;)Z
L7: ireturn
L8:
.linenumbertable
L0 29
.end linenumbertable
.end code
.end method
.method public finalize : ()V
.code stack 2 locals 1
L0: aload_0
L1: aconst_null
L2: putfield Field TransferableImage image Ljava/awt/Image;
L5: return
L6:
.linenumbertable
L0 33
L5 34
.end linenumbertable
.end code
.end method
.method public lostOwnership : (Ljava/awt/datatransfer/Clipboard;Ljava/awt/datatransfer/Transferable;)V
.code stack 0 locals 3
L0: return
L1:
.linenumbertable
L0 39
.end linenumbertable
.end code
.end method
.sourcefile 'TransferableImage.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 22:59:04 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.awt.Image;
import java.awt.datatransfer.Clipboard;
import java.awt.datatransfer.DataFlavor;
import java.awt.datatransfer.UnsupportedFlavorException;
import java.awt.image.BufferedImage;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class TransferableImage_ESTest extends TransferableImage_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
TransferableImage transferableImage0 = new TransferableImage((Image) null);
DataFlavor dataFlavor0 = DataFlavor.imageFlavor;
DataFlavor[] dataFlavorArray0 = transferableImage0.getTransferDataFlavors();
transferableImage0.getTransferData(dataFlavor0);
DataFlavor[] dataFlavorArray1 = transferableImage0.getTransferDataFlavors();
assertFalse(dataFlavorArray1.equals((Object)dataFlavorArray0));
}
@Test(timeout = 4000)
public void test1() throws Throwable {
TransferableImage transferableImage0 = new TransferableImage((Image) null);
DataFlavor dataFlavor0 = DataFlavor.getTextPlainUnicodeFlavor();
boolean boolean0 = transferableImage0.isDataFlavorSupported(dataFlavor0);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
BufferedImage bufferedImage0 = new BufferedImage(1, 1, 1);
TransferableImage transferableImage0 = new TransferableImage(bufferedImage0);
DataFlavor dataFlavor0 = DataFlavor.imageFlavor;
Object object0 = transferableImage0.getTransferData(dataFlavor0);
assertSame(bufferedImage0, object0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
TransferableImage transferableImage0 = new TransferableImage((Image) null);
DataFlavor dataFlavor0 = DataFlavor.getTextPlainUnicodeFlavor();
try {
transferableImage0.getTransferData(dataFlavor0);
fail("Expecting exception: UnsupportedFlavorException");
} catch(UnsupportedFlavorException e) {
//
// Plain Text
//
verifyException("TransferableImage", e);
}
}
@Test(timeout = 4000)
public void test4() throws Throwable {
TransferableImage transferableImage0 = new TransferableImage((Image) null);
transferableImage0.finalize();
}
@Test(timeout = 4000)
public void test5() throws Throwable {
TransferableImage transferableImage0 = new TransferableImage((Image) null);
DataFlavor dataFlavor0 = DataFlavor.imageFlavor;
boolean boolean0 = transferableImage0.isDataFlavorSupported(dataFlavor0);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
TransferableImage transferableImage0 = new TransferableImage((Image) null);
Clipboard clipboard0 = new Clipboard("TransferableImage");
transferableImage0.lostOwnership(clipboard0, transferableImage0);
assertEquals("TransferableImage", clipboard0.getName());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 22:59: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 TransferableImage_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "TransferableImage";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp9bb0ij6g");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TransferableImage_ESTest_scaffolding.class.getClassLoader() ,
"TransferableImage"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TransferableImage_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"TransferableImage"
);
}
}
| 4,984 |
MemoryURLConnection | /*
* Copyright 2015 Red Hat, Inc. and/or its affiliates.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
import java.io.ByteArrayInputStream;
import java.io.IOException;
import java.io.InputStream;
import java.net.URL;
import java.net.URLConnection;
public class MemoryURLConnection extends URLConnection {
private URL url;
private byte[] bytes;
protected MemoryURLConnection(URL url, byte[] bytes) {
super(url);
this.url = url;
this.bytes = bytes;
}
@Override
public void connect() throws IOException {}
public InputStream getInputStream() throws IOException {
return new ByteArrayInputStream(bytes);
}
}
| .version 52 0
.class public super MemoryURLConnection
.super java/net/URLConnection
.field private url Ljava/net/URL;
.field private bytes [B
.method protected <init> : (Ljava/net/URL;[B)V
.code stack 2 locals 3
L0: aload_0
L1: aload_1
L2: invokespecial Method java/net/URLConnection <init> (Ljava/net/URL;)V
L5: aload_0
L6: aload_1
L7: putfield Field MemoryURLConnection url Ljava/net/URL;
L10: aload_0
L11: aload_2
L12: putfield Field MemoryURLConnection bytes [B
L15: return
L16:
.linenumbertable
L0 32
L5 33
L10 34
L15 35
.end linenumbertable
.end code
.end method
.method public connect : ()V
.code stack 0 locals 1
L0: return
L1:
.linenumbertable
L0 40
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.method public getInputStream : ()Ljava/io/InputStream;
.code stack 3 locals 1
L0: new java/io/ByteArrayInputStream
L3: dup
L4: aload_0
L5: getfield Field MemoryURLConnection bytes [B
L8: invokespecial Method java/io/ByteArrayInputStream <init> ([B)V
L11: areturn
L12:
.linenumbertable
L0 43
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.sourcefile 'MemoryURLConnection.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 03:28:35 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.io.InputStream;
import java.net.URL;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.mock.java.net.MockURL;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class MemoryURLConnection_ESTest extends MemoryURLConnection_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
URL uRL0 = MockURL.getHttpExample();
byte[] byteArray0 = new byte[1];
MemoryURLConnection memoryURLConnection0 = new MemoryURLConnection(uRL0, byteArray0);
InputStream inputStream0 = memoryURLConnection0.getInputStream();
assertEquals(1, inputStream0.available());
}
@Test(timeout = 4000)
public void test1() throws Throwable {
URL uRL0 = MockURL.getHttpExample();
byte[] byteArray0 = new byte[1];
MemoryURLConnection memoryURLConnection0 = new MemoryURLConnection(uRL0, byteArray0);
memoryURLConnection0.connect();
assertEquals(0, memoryURLConnection0.getReadTimeout());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 03:28: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 MemoryURLConnection_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "MemoryURLConnection";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpuum5nsvc");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MemoryURLConnection_ESTest_scaffolding.class.getClassLoader() ,
"MemoryURLConnection"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MemoryURLConnection_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MemoryURLConnection"
);
}
}
| 4,985 |
AAA1 | import java.lang.annotation.ElementType;
import java.lang.annotation.Retention;
import java.lang.annotation.RetentionPolicy;
import java.lang.annotation.Target;
/*
* Config: JavadocVisitLeaveCheck
*/
/////////////
// CLASSES //
/////////////
/** Javadoc */
// ok
class
/** nope */
InputAbstractJavadocLeaveToken
/** nope */
{
/** Javadoc */
// ok
protected
/** nope */
class
/** nope */
B
/** nope */
{
/** nope */
}
/** Javadoc */
// ok
private
/** nope */
static
/** nope */
class
/** nope */
C
/** nope */
{
/** nope */
}
/** Javadoc */
// ok
@Component
/** nope */
class
/** nope */
D
/** nope */
{
/** nope */
}
/** Javadoc */
// ok
@Component
/** nope */
private
/** nope */
class
/** nope */
E
/** nope */
{
/** nope */
}
/** Javadoc */
// ok
private
/** nope */
@Component
/** nope */
class
/** nope */
F
/** nope */
{
/** nope */
}
}
//////////////////
// CONSTRUCTORS //
//////////////////
/** Javadoc */
// ok
class
/** nope */
AA1
/** nope */
{
/** Javadoc */
// ok
AA1
/** nope */
(
/** nope */
)
/** nope */
{
/** nope */
}
/** nope */
}
/** Javadoc */
// ok
class
/** nope */
BB1
/** nope */
{
/** Javadoc */
// ok
private
/** nope1 */
BB1
/** nope2 */
(
/** nope3 */
)
/** nope4 */
{
/** nope5 */
}
/** nope6 */
}
class
/** nope */
DD1
/** nope */
{
/** Javadoc */
// ok
@Component
/** nope */
DD1
/** nope */
(
/** nope */
)
/** nope */
{
/** nope */
}
/** nope */
}
class
/** nope */
EE1
/** nope */
{
/** Javadoc */
// ok
@Component
/** nope */
private
/** nope */
EE1
/** nope */
(
/** nope */
)
/** nope */
{
/** nope */
}
/** nope */
}
class
/** nope */
FF1
/** nope */
{
/** Javadoc */
// ok
private
/** nope */
@Component
/** nope */
FF1
/** nope */
(
/** nope */
)
/** nope */
{
/** nope */
}
/** nope */
}
/////////////
// METHODS //
/////////////
class AAA1 {
/** Javadoc */
// ok
void
/** nope */
a
/** nope */
(
/** nope */
)
/** nope */
{
/** nope */
}
/** nope */
}
class BBB1 {
/** Javadoc */
// ok
private
/** nope */
void
/** nope */
a
/** nope */
(
/** nope */
)
/** nope */
{
/** nope */
}
/** nope */
}
class CCC1 {
/** Javadoc */
// ok
private
/** nope */
static
/** nope */
void
/** nope */
a
/** nope */
(
/** nope */
)
/** nope */
{
/** nope */
}
/** nope */
}
class DDD1 {
/** Javadoc */
// ok
@Component
/** nope */
void
/** nope */
a
/** nope */
(
/** nope */
)
/** nope */
{
/** nope */
}
/** nope */
}
class EEE1 {
/** Javadoc */
// ok
@Component
/** nope */
private
/** nope */
void
/** nope */
a
/** nope */
(
/** nope */
)
/** nope */
{
/** nope */
}
/** nope */
}
class FFF1 {
/** Javadoc */
// ok
static
/** nope */
@Component
/** nope */
private
/** nope */
void
/** nope */
a
/** nope */
(
/** nope */
)
/** nope */
{
/** nope */
}
/** nope */
}
class GGG1 {
/** Javadoc */
// ok
void
/** nope */
a
/** nope */
(
@Component
/** nope */
int
/** nope */
a
/** nope */
)
/** nope */
{
/** nope */
}
/** nope */
}
class HHH1 {
/** Javadoc */
// ok
java.lang.String
/** nope */
a
/** nope */
()
/** nope */
{
/** nope */
return null;
/** nope */
}
/** nope */
}
////////////////
// INTERFACES //
////////////////
/** Javadoc */
// ok
interface
/** nope */
AAAA1
/** nope */
{}
/** Javadoc */
// ok
abstract
/** nope */
interface
/** nope */
BBBB1
/** nope */
{
/** nope */
}
/** Javadoc */
// ok
@Component
/** nope */
interface
/** nope */
CCCC1
/** nope */
{
/** nope */
}
/** Javadoc */
// ok
@Component
/** nope */
abstract
/** nope */
interface
/** nope */
DDDD1
/** nope */
{
/** nope */
}
/** Javadoc */
// ok
abstract
/** nope */
@Component
/** nope */
interface
/** nope */
EEEE1
/** nope */
{
/** nope */
}
///////////
// ENUMS //
///////////
/** Javadoc */
// ok
enum
/** nope */
AAAAA1
/** nope */
{}
class ASD1 {
/** Javadoc */
// ok
private
/** nope */
enum
/** nope */
BBBBB1
/** nope */
{
/** nope */
}
/** Javadoc */
// ok
@Component
/** nope */
enum
/** nope */
CCCCC1
/** nope */
{
/** nope */
}
/** Javadoc */
// ok
@Component
/** nope */
private
/** nope */
enum
/** nope */
DDDDD1
/** nope */
{
/** nope */
}
/** Javadoc */
// ok
private
/** nope */
@Component
/** nope */
enum
/** nope */
EEEEE1
/** nope */
{
/** nope */
}
}
////////////
// FIELDS //
////////////
class AAAAAA1 {
/** Javadoc */
// ok
int
/** nope */
a
/** nope */
;
/** Javadoc */
// ok
private
/** nope */
int
/** nope */
b
/** nope */
;
/** Javadoc */
// ok
private
/** nope */
final
/** nope */
int
/** nope */
c
/** nope */
= 1;
/** Javadoc */
// ok
private
/** nope */
static
/** nope */
final
/** nope */
int
/** nope */
d
/** nope */
= 1;
}
class BBBBBB1 {
/** Javadoc */
// ok
int
/** nope */
a
/** nope */
=
/** nope */
1
/** nope */
;
/** Javadoc */
// ok
private
/** nope */
int
/** nope */
b
/** nope */
=
/** nope */
1
/** nope */
;
/** Javadoc */
// ok
private
/** nope */
final
/** nope */
int
/** nope */
c
/** nope */
=
/** nope */
1
/** nope */
;
/** Javadoc */
// ok
private
/** nope */
static
/** nope */
final
/** nope */
int
/** nope */
d
/** nope */
=
/** nope */
1
/** nope */
;
}
class CCCCCC1 {
/** Javadoc */
// ok
Object
/** nope */
a
/** nope */
=
/** nope */
new
/** nope */
Object
/** nope */
(
/** nope */
)
/** nope */
{
/** nope */
}
/** nope */
;
/** Javadoc */
// ok
private
/** nope */
Object
/** nope */
b
/** nope */
=
/** nope */
new
/** nope */
Object
/** nope */
(
/** nope */
)
/** nope */
{
/** nope */
}
/** nope */
;
/** Javadoc */
// ok
private
/** nope */
final
/** nope */
Object
/** nope */
c
/** nope */
=
/** nope */
new
/** nope */
Object
/** nope */
(
/** nope */
)
/** nope */
{
/** nope */
}
/** nope */
;
/** Javadoc */
// ok
private
/** nope */
static
/** nope */
final
/** nope */
Object
/** nope */
d
/** nope */
=
/** nope */
new
/** nope */
Object
/** nope */
(
/** nope */
)
/** nope */
{
/** nope */
}
/** nope */
;
}
class DDDDDD1 {
/** Javadoc */
// ok
@Component
/** nope */
Object
/** nope */
a
/** nope */
=
/** nope */
new
/** nope */
Object
/** nope */
(
/** nope */
)
/** nope */
{
/** nope */
}
/** nope */
;
/** Javadoc */
// ok
@Component
/** nope */
private
/** nope */
Object
/** nope */
b
/** nope */
=
/** nope */
new
/** nope */
Object
/** nope */
(
/** nope */
)
/** nope */
{
/** nope */
}
/** nope */
;
/** Javadoc */
// ok
@Component
/** nope */
private
/** nope */
final
/** nope */
Object
/** nope */
c
/** nope */
=
/** nope */
new
/** nope */
Object
/** nope */
(
/** nope */
)
/** nope */
{
/** nope */
}
/** nope */
;
/** Javadoc */
// ok
@Component
/** nope */
private
/** nope */
static
/** nope */
final
/** nope */
Object
/** nope */
d
/** nope */
=
/** nope */
new
/** nope */
Object
/** nope */
(
/** nope */
)
/** nope */
{
/** nope */
}
/** nope */
;
}
class EEEEEE1 {
/** Javadoc */
// ok
private
/** nope */
@Component
/** nope */
Object
/** nope */
b
/** nope */
=
/** nope */
new
/** nope */
Object
/** nope */
(
/** nope */
)
/** nope */
{
/** nope */
}
/** nope */
;
/** Javadoc */
// ok
private
/** nope */
@Component
/** nope */
final
/** nope */
Object
/** nope */
c
/** nope */
=
/** nope */
new
/** nope */
Object
/** nope */
(
/** nope */
)
/** nope */
{
/** nope */
}
/** nope */
;
/** Javadoc */
// ok
private
/** nope */
@Component
/** nope */
static
/** nope */
final
/** nope */
Object
/** nope */
d
/** nope */
=
/** nope */
new
/** nope */
Object
/** nope */
(
/** nope */
)
/** nope */
{
/** nope */
}
/** nope */
;
}
/////////////////
// ENUM CONSTS //
/////////////////
enum AAAAAAA1 {
/** Javadoc */
// ok
ONE
/** nope */
,
/** Javadoc */
// ok
TWO
/** nope */
}
enum BBBBBBB1 {
/** Javadoc */
// ok
ONE
/** nope */
(
/** nope */
1
/** nope */
)
/** nope */
,
/** Javadoc */
// ok
TWO
/** nope */
(
/** nope */
2
/** nope */
)
/** nope */
;
BBBBBBB1(int i) {}
}
enum CCCCCCC1 {
/** Javadoc */
// ok
@Component
/** nope */
ONE
/** nope */
(
/** nope */
1
/** nope */
)
/** nope */
,
/** Javadoc */
// ok
@Component
/** nope */
TWO
/** nope */
(
/** nope */
2
/** nope */
)
/** nope */
;
CCCCCCC1(int i) {}
}
/** Javadoc */
// ok
@Retention(
/** nope */
RetentionPolicy
/** nope */
.
/** nope */
RUNTIME
/** nope4 */
)
/** nope */
@Target(
/** nope */
{
/** nope */
ElementType
/** nope */
.
/** nope */
CONSTRUCTOR
/** nope */
,
/** nope */
ElementType
/** nope */
.
/** nope */
FIELD
/** nope */
,
/** nope */
ElementType
/** nope */
.
/** nope */
LOCAL_VARIABLE
/** nope */
,
/** nope */
ElementType
/** nope */
.
/** nope */
METHOD,
/** nope */
ElementType
/** nope */
.
/** nope */
PARAMETER
/** nope */
,
/** nope */
ElementType
/** nope */
.
/** nope */
TYPE
/** nope */
}
/** nope */
)
/** nope */
@interface
/** nope */
Component
/** nope */
{
/** nope */
}
/** Javadoc */
// ok
@interface
/** nope */
MyAnnotation1
/** nope */
{
/** Javadoc */
// ok
@Component
/** nope */
abstract
/** nope */
String
/** nope */
val1()
/** nope */
default
/** nope */
"";
/** Javadoc */
// ok
abstract
/** nope */
String
/** nope */
val2()
/** nope */
;
/** Javadoc */
// ok
java.lang.String
/** nope */
val3()
/** nope */
;
/** nope */
}
class MyTemp2 {
/** Javadoc */
// ok //noise
private @interface
/** nope */
MyAnnotation3
/** nope */
{
/** nope */
}
}
/** nope */
/*noise*/
/** nope */
/** Javadoc */
// ok
// noise
@Component
/*noise*/
interface MultipleJavadoc1 {
/** nope */
/*noise*/
/** nope */
/** Javadoc */
// ok
/* noise */
public
/** nope */
int method();
/** nope */
/*noise*/
/** nope */
/** Javadoc */
// ok
// noise
@Deprecated
// noise
/** nope */
public
/** nope */
void method2();
}
/** nope */
| .version 52 0
.class super AAA1
.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 69
.end linenumbertable
.end code
.end method
.method a : ()V
.code stack 0 locals 1
L0: return
L1:
.linenumbertable
L0 71
.end linenumbertable
.end code
.end method
.sourcefile 'AAA1.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 05:43:37 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class AAA1_ESTest extends AAA1_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
AAA1 aAA1_0 = new AAA1();
aAA1_0.a();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 05:43: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 AAA1_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "AAA1";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpcblbsuo8");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(AAA1_ESTest_scaffolding.class.getClassLoader() ,
"AAA1"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AAA1_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"AAA1"
);
}
}
| 4,986 |
LPRGitBranchesConsts | /** Created on 13-10-2017. */
public class LPRGitBranchesConsts {
public static final String MASTER = "master";
public static final String PROD = "prod";
}
| .version 52 0
.class public super LPRGitBranchesConsts
.super java/lang/Object
.field public static final MASTER Ljava/lang/String; = 'master'
.field public static final PROD Ljava/lang/String; = 'prod'
.method 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 'LPRGitBranchesConsts.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 07:25:40 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class LPRGitBranchesConsts_ESTest extends LPRGitBranchesConsts_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
LPRGitBranchesConsts lPRGitBranchesConsts0 = new LPRGitBranchesConsts();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 07:25: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 LPRGitBranchesConsts_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "LPRGitBranchesConsts";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp1gus99a8");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(LPRGitBranchesConsts_ESTest_scaffolding.class.getClassLoader() ,
"LPRGitBranchesConsts"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(LPRGitBranchesConsts_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"LPRGitBranchesConsts"
);
}
}
| 4,987 |
BuildConfig | /** Automatically generated file. DO NOT MODIFY */
public final class BuildConfig {
public static final boolean DEBUG = true;
}
| .version 52 0
.class public final super BuildConfig
.super java/lang/Object
.field public static final DEBUG Z = 1
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 4
.end linenumbertable
.end code
.end method
.sourcefile 'BuildConfig.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 11:20: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 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:20: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 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/tmp91cbr6tu");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.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"
);
}
}
| 4,988 |
FormattingInfo | /*
* Copyright 1999,2005 The Apache Software Foundation.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
/**
* Modifies the output of a pattern converter for a specified minimum and maximum width and
* alignment.
*
* @author <a href=mailto:[email protected]>Jim Cakalic</a>
* @author Ceki Gülcü
* @author Curt Arnold
* @since 1.3
*/
public final class FormattingInfo {
/** Array of spaces. */
private static final char[] SPACES = new char[] {' ', ' ', ' ', ' ', ' ', ' ', ' ', ' '};
/** Default instance. */
private static final FormattingInfo DEFAULT = new FormattingInfo(false, 0, Integer.MAX_VALUE);
/** Minimum length. */
private final int minLength;
/** Maximum length. */
private final int maxLength;
/** Alignment. */
private final boolean leftAlign;
/**
* Creates new instance.
*
* @param leftAlign left align if true.
* @param minLength minimum length.
* @param maxLength maximum length.
*/
public FormattingInfo(final boolean leftAlign, final int minLength, final int maxLength) {
this.leftAlign = leftAlign;
this.minLength = minLength;
this.maxLength = maxLength;
}
/**
* Gets default instance.
*
* @return default instance.
*/
public static FormattingInfo getDefault() {
return DEFAULT;
}
/**
* Determine if left aligned.
*
* @return true if left aligned.
*/
public boolean isLeftAligned() {
return leftAlign;
}
/**
* Get minimum length.
*
* @return minimum length.
*/
public int getMinLength() {
return minLength;
}
/**
* Get maximum length.
*
* @return maximum length.
*/
public int getMaxLength() {
return maxLength;
}
/**
* Adjust the content of the buffer based on the specified lengths and alignment.
*
* @param fieldStart start of field in buffer.
* @param buffer buffer to be modified.
*/
public final void format(final int fieldStart, final StringBuffer buffer) {
final int rawLength = buffer.length() - fieldStart;
if (rawLength > maxLength) {
buffer.delete(fieldStart, buffer.length() - maxLength);
} else if (rawLength < minLength) {
if (leftAlign) {
final int fieldEnd = buffer.length();
buffer.setLength(fieldStart + minLength);
for (int i = fieldEnd; i < buffer.length(); i++) {
buffer.setCharAt(i, ' ');
}
} else {
int padLength = minLength - rawLength;
for (; padLength > 8; padLength -= 8) {
buffer.insert(fieldStart, SPACES);
}
buffer.insert(fieldStart, SPACES, 0, padLength);
}
}
}
}
| .version 52 0
.class public final super FormattingInfo
.super java/lang/Object
.field private static final SPACES [C
.field private static final DEFAULT LFormattingInfo;
.field private final minLength I
.field private final maxLength I
.field private final leftAlign Z
.method public <init> : (ZII)V
.code stack 2 locals 4
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iload_1
L6: putfield Field FormattingInfo leftAlign Z
L9: aload_0
L10: iload_2
L11: putfield Field FormattingInfo minLength I
L14: aload_0
L15: iload_3
L16: putfield Field FormattingInfo maxLength I
L19: return
L20:
.linenumbertable
L0 66
L4 67
L9 68
L14 69
L19 70
.end linenumbertable
.end code
.end method
.method public static getDefault : ()LFormattingInfo;
.code stack 1 locals 0
L0: getstatic Field FormattingInfo DEFAULT LFormattingInfo;
L3: areturn
L4:
.linenumbertable
L0 77
.end linenumbertable
.end code
.end method
.method public isLeftAligned : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field FormattingInfo leftAlign Z
L4: ireturn
L5:
.linenumbertable
L0 85
.end linenumbertable
.end code
.end method
.method public getMinLength : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field FormattingInfo minLength I
L4: ireturn
L5:
.linenumbertable
L0 93
.end linenumbertable
.end code
.end method
.method public getMaxLength : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field FormattingInfo maxLength I
L4: ireturn
L5:
.linenumbertable
L0 101
.end linenumbertable
.end code
.end method
.method public final format : (ILjava/lang/StringBuffer;)V
.code stack 5 locals 6
L0: aload_2
L1: invokevirtual Method java/lang/StringBuffer length ()I
L4: iload_1
L5: isub
L6: istore_3
L7: iload_3
L8: aload_0
L9: getfield Field FormattingInfo maxLength I
L12: if_icmple L33
L15: aload_2
L16: iload_1
L17: aload_2
L18: invokevirtual Method java/lang/StringBuffer length ()I
L21: aload_0
L22: getfield Field FormattingInfo maxLength I
L25: isub
L26: invokevirtual Method java/lang/StringBuffer delete (II)Ljava/lang/StringBuffer;
L29: pop
L30: goto L136
.stack append Integer
L33: iload_3
L34: aload_0
L35: getfield Field FormattingInfo minLength I
L38: if_icmpge L136
L41: aload_0
L42: getfield Field FormattingInfo leftAlign Z
L45: ifeq L94
L48: aload_2
L49: invokevirtual Method java/lang/StringBuffer length ()I
L52: istore 4
L54: aload_2
L55: iload_1
L56: aload_0
L57: getfield Field FormattingInfo minLength I
L60: iadd
L61: invokevirtual Method java/lang/StringBuffer setLength (I)V
L64: iload 4
L66: istore 5
.stack append Integer Integer
L68: iload 5
L70: aload_2
L71: invokevirtual Method java/lang/StringBuffer length ()I
L74: if_icmpge L91
L77: aload_2
L78: iload 5
L80: bipush 32
L82: invokevirtual Method java/lang/StringBuffer setCharAt (IC)V
L85: iinc 5 1
L88: goto L68
.stack chop 2
L91: goto L136
.stack same
L94: aload_0
L95: getfield Field FormattingInfo minLength I
L98: iload_3
L99: isub
L100: istore 4
.stack append Integer
L102: iload 4
L104: bipush 8
L106: if_icmple L124
L109: aload_2
L110: iload_1
L111: getstatic Field FormattingInfo SPACES [C
L114: invokevirtual Method java/lang/StringBuffer insert (I[C)Ljava/lang/StringBuffer;
L117: pop
L118: iinc 4 -8
L121: goto L102
.stack same
L124: aload_2
L125: iload_1
L126: getstatic Field FormattingInfo SPACES [C
L129: iconst_0
L130: iload 4
L132: invokevirtual Method java/lang/StringBuffer insert (I[CII)Ljava/lang/StringBuffer;
L135: pop
.stack chop 1
L136: return
L137:
.linenumbertable
L0 111
L7 113
L15 114
L33 115
L41 116
L48 117
L54 118
L64 120
L77 121
L85 120
L91 123
L94 124
L102 126
L109 127
L118 126
L124 130
L136 133
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 5 locals 0
L0: bipush 8
L2: newarray char
L4: dup
L5: iconst_0
L6: bipush 32
L8: castore
L9: dup
L10: iconst_1
L11: bipush 32
L13: castore
L14: dup
L15: iconst_2
L16: bipush 32
L18: castore
L19: dup
L20: iconst_3
L21: bipush 32
L23: castore
L24: dup
L25: iconst_4
L26: bipush 32
L28: castore
L29: dup
L30: iconst_5
L31: bipush 32
L33: castore
L34: dup
L35: bipush 6
L37: bipush 32
L39: castore
L40: dup
L41: bipush 7
L43: bipush 32
L45: castore
L46: putstatic Field FormattingInfo SPACES [C
L49: new FormattingInfo
L52: dup
L53: iconst_0
L54: iconst_0
L55: ldc 2147483647
L57: invokespecial Method FormattingInfo <init> (ZII)V
L60: putstatic Field FormattingInfo DEFAULT LFormattingInfo;
L63: return
L64:
.linenumbertable
L0 35
L49 41
.end linenumbertable
.end code
.end method
.sourcefile 'FormattingInfo.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 14:59:25 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.nio.BufferOverflowException;
import java.nio.CharBuffer;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class FormattingInfo_ESTest extends FormattingInfo_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
int int0 = (-57998);
FormattingInfo formattingInfo0 = new FormattingInfo(false, (-57998), 22395);
formattingInfo0.getMinLength();
formattingInfo0.isLeftAligned();
StringBuffer stringBuffer0 = new StringBuffer(50631);
// Undeclared exception!
try {
formattingInfo0.format(81928, stringBuffer0);
fail("Expecting exception: StringIndexOutOfBoundsException");
} catch(StringIndexOutOfBoundsException e) {
//
// String index out of range: 81928
//
verifyException("java.lang.AbstractStringBuilder", e);
}
}
@Test(timeout = 4000)
public void test01() throws Throwable {
FormattingInfo formattingInfo0 = new FormattingInfo(true, 0, (-38998));
formattingInfo0.getMaxLength();
formattingInfo0.getMinLength();
StringBuffer stringBuffer0 = new StringBuffer("6lwUbAobR*DkF4{Q'N");
formattingInfo0.format(0, stringBuffer0);
assertEquals("", stringBuffer0.toString());
assertEquals(0, formattingInfo0.getMinLength());
}
@Test(timeout = 4000)
public void test02() throws Throwable {
FormattingInfo formattingInfo0 = FormattingInfo.getDefault();
StringBuffer stringBuffer0 = new StringBuffer("kzR*cq/ipeGd");
StringBuffer stringBuffer1 = new StringBuffer(stringBuffer0);
formattingInfo0.format(0, stringBuffer1);
int int0 = formattingInfo0.getMinLength();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
FormattingInfo formattingInfo0 = new FormattingInfo(false, Integer.MAX_VALUE, (-88729));
StringBuffer stringBuffer0 = new StringBuffer("~b1d+");
StringBuffer stringBuffer1 = new StringBuffer(stringBuffer0);
// Undeclared exception!
try {
formattingInfo0.format((-88729), stringBuffer1);
fail("Expecting exception: StringIndexOutOfBoundsException");
} catch(StringIndexOutOfBoundsException e) {
//
// String index out of range: -88729
//
verifyException("java.lang.AbstractStringBuilder", e);
}
}
@Test(timeout = 4000)
public void test04() throws Throwable {
FormattingInfo formattingInfo0 = new FormattingInfo(false, 0, 2);
int int0 = formattingInfo0.getMaxLength();
assertFalse(formattingInfo0.isLeftAligned());
assertEquals(0, formattingInfo0.getMinLength());
assertEquals(2, int0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
FormattingInfo formattingInfo0 = new FormattingInfo(true, (-1), 0);
StringBuffer stringBuffer0 = new StringBuffer();
formattingInfo0.format(0, stringBuffer0);
FormattingInfo.getDefault();
FormattingInfo.getDefault();
boolean boolean0 = formattingInfo0.isLeftAligned();
assertEquals((-1), formattingInfo0.getMinLength());
assertEquals(0, formattingInfo0.getMaxLength());
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
FormattingInfo formattingInfo0 = new FormattingInfo(true, 0, 0);
int int0 = formattingInfo0.getMaxLength();
assertEquals(0, int0);
assertEquals(0, formattingInfo0.getMinLength());
assertTrue(formattingInfo0.isLeftAligned());
}
@Test(timeout = 4000)
public void test07() throws Throwable {
FormattingInfo formattingInfo0 = new FormattingInfo(false, 15307, 15307);
StringBuffer stringBuffer0 = new StringBuffer("4XVw]=m/'_;kc.\":");
// Undeclared exception!
try {
formattingInfo0.format(9759, stringBuffer0);
fail("Expecting exception: StringIndexOutOfBoundsException");
} catch(StringIndexOutOfBoundsException e) {
//
// String index out of range: 9759
//
verifyException("java.lang.AbstractStringBuilder", e);
}
}
@Test(timeout = 4000)
public void test08() throws Throwable {
FormattingInfo formattingInfo0 = new FormattingInfo(false, 60156, 60156);
boolean boolean0 = formattingInfo0.isLeftAligned();
assertEquals(60156, formattingInfo0.getMinLength());
assertEquals(60156, formattingInfo0.getMaxLength());
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
int int0 = 6759;
FormattingInfo formattingInfo0 = new FormattingInfo(true, 6759, 6759);
StringBuffer stringBuffer0 = null;
// Undeclared exception!
try {
formattingInfo0.format(0, (StringBuffer) null);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
}
}
@Test(timeout = 4000)
public void test10() throws Throwable {
int int0 = 49221;
int int1 = (-23275);
FormattingInfo formattingInfo0 = new FormattingInfo(true, 49221, (-23275));
int int2 = 37149;
String string0 = "4Xy\"(Qv6Ldhp";
String string1 = "";
StringBuffer stringBuffer0 = new StringBuffer("");
// Undeclared exception!
formattingInfo0.format(49221, stringBuffer0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
int int0 = 82464;
FormattingInfo formattingInfo0 = new FormattingInfo(false, 82464, 82464);
int int1 = 0;
CharBuffer charBuffer0 = CharBuffer.allocate(0);
CharBuffer charBuffer1 = CharBuffer.wrap((CharSequence) charBuffer0);
StringBuffer stringBuffer0 = new StringBuffer(charBuffer1);
charBuffer0.clear();
// Undeclared exception!
try {
charBuffer0.append('Z');
fail("Expecting exception: BufferOverflowException");
} catch(BufferOverflowException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("java.nio.Buffer", e);
}
}
@Test(timeout = 4000)
public void test12() throws Throwable {
FormattingInfo formattingInfo0 = FormattingInfo.getDefault();
int int0 = 26017;
String string0 = "FormattingInfo";
// Undeclared exception!
try {
formattingInfo0.format(26017, (StringBuffer) null);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
}
}
@Test(timeout = 4000)
public void test13() throws Throwable {
int int0 = 4;
FormattingInfo formattingInfo0 = new FormattingInfo(false, 4, 4);
StringBuffer stringBuffer0 = new StringBuffer(4);
StringBuffer stringBuffer1 = new StringBuffer();
double double0 = 11617.5712278697;
// Undeclared exception!
try {
stringBuffer1.append((CharSequence) stringBuffer0, 4, 4);
fail("Expecting exception: IndexOutOfBoundsException");
} catch(IndexOutOfBoundsException e) {
//
// start 4, end 4, s.length() 0
//
verifyException("java.lang.AbstractStringBuilder", e);
}
}
@Test(timeout = 4000)
public void test14() throws Throwable {
FormattingInfo formattingInfo0 = FormattingInfo.getDefault();
StringBuffer stringBuffer0 = new StringBuffer("");
// Undeclared exception!
try {
formattingInfo0.format(7, stringBuffer0);
fail("Expecting exception: StringIndexOutOfBoundsException");
} catch(StringIndexOutOfBoundsException e) {
//
// String index out of range: 7
//
verifyException("java.lang.AbstractStringBuilder", e);
}
}
@Test(timeout = 4000)
public void test15() throws Throwable {
FormattingInfo formattingInfo0 = new FormattingInfo(false, 0, 32);
// Undeclared exception!
try {
formattingInfo0.format(32, (StringBuffer) null);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
}
}
@Test(timeout = 4000)
public void test16() throws Throwable {
FormattingInfo formattingInfo0 = FormattingInfo.getDefault();
int int0 = 0;
StringBuffer stringBuffer0 = new StringBuffer();
formattingInfo0.format(0, stringBuffer0);
int int1 = 30864;
CharBuffer charBuffer0 = CharBuffer.wrap((CharSequence) stringBuffer0);
formattingInfo0.format(0, stringBuffer0);
// Undeclared exception!
try {
stringBuffer0.insert(30864, (CharSequence) charBuffer0);
fail("Expecting exception: IndexOutOfBoundsException");
} catch(IndexOutOfBoundsException e) {
//
// dstOffset 30864
//
verifyException("java.lang.AbstractStringBuilder", e);
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 14:59: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 FormattingInfo_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "FormattingInfo";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.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_tra04p2");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(FormattingInfo_ESTest_scaffolding.class.getClassLoader() ,
"FormattingInfo"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(FormattingInfo_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"FormattingInfo"
);
}
}
| 4,989 |
LoginException | /** Created by yassin on 30/10/14. */
public class LoginException extends Exception {
LoginException() {}
LoginException(Throwable cause) {
super(cause);
}
}
| .version 52 0
.class public super LoginException
.super java/lang/Exception
.method <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Exception <init> ()V
L4: return
L5:
.linenumbertable
L0 7
L4 8
.end linenumbertable
.end code
.end method
.method <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 11
L5 12
.end linenumbertable
.end code
.end method
.sourcefile 'LoginException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 05:34:30 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 LoginException_ESTest extends LoginException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
LoginException loginException0 = new LoginException();
}
@Test(timeout = 4000)
public void test1() throws Throwable {
MockThrowable mockThrowable0 = new MockThrowable((String) null);
LoginException loginException0 = new LoginException(mockThrowable0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 05:34: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 LoginException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "LoginException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpntaxo5wh");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(LoginException_ESTest_scaffolding.class.getClassLoader() ,
"LoginException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(LoginException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"LoginException"
);
}
}
| 4,990 |
QuickSort | public class QuickSort {
private int array[];
private int length;
public void Sort(int[] inputArr) {
if (inputArr == null || inputArr.length == 0) {
return;
}
this.array = inputArr;
length = inputArr.length;
quickSort(0, length - 1);
}
private void quickSort(int lowerIndex, int higherIndex) {
int i = lowerIndex;
int j = higherIndex;
int pivot = array[lowerIndex + (higherIndex - lowerIndex) / 2];
while (i <= j) {
while (array[i] < pivot) {
i++;
}
while (array[j] > pivot) {
j--;
}
if (i <= j) {
exchangeNumbers(i, j);
i++;
j--;
}
}
if (lowerIndex < j) {
quickSort(lowerIndex, j);
}
if (i < higherIndex) {
quickSort(i, higherIndex);
}
}
private void exchangeNumbers(int i, int j) {
int temp = array[i];
array[i] = array[j];
array[j] = temp;
}
}
| .version 52 0
.class public super QuickSort
.super java/lang/Object
.field private array [I
.field private length 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 Sort : ([I)V
.code stack 4 locals 2
L0: aload_1
L1: ifnull L9
L4: aload_1
L5: arraylength
L6: ifne L10
.stack same
L9: return
.stack same
L10: aload_0
L11: aload_1
L12: putfield Field QuickSort array [I
L15: aload_0
L16: aload_1
L17: arraylength
L18: putfield Field QuickSort length I
L21: aload_0
L22: iconst_0
L23: aload_0
L24: getfield Field QuickSort length I
L27: iconst_1
L28: isub
L29: invokespecial Method QuickSort quickSort (II)V
L32: return
L33:
.linenumbertable
L0 10
L9 11
L10 13
L15 14
L21 15
L32 16
.end linenumbertable
.end code
.end method
.method private quickSort : (II)V
.code stack 4 locals 6
L0: iload_1
L1: istore_3
L2: iload_2
L3: istore 4
L5: aload_0
L6: getfield Field QuickSort array [I
L9: iload_1
L10: iload_2
L11: iload_1
L12: isub
L13: iconst_2
L14: idiv
L15: iadd
L16: iaload
L17: istore 5
.stack append Integer Integer Integer
L19: iload_3
L20: iload 4
L22: if_icmpgt L82
.stack same
L25: aload_0
L26: getfield Field QuickSort array [I
L29: iload_3
L30: iaload
L31: iload 5
L33: if_icmpge L42
L36: iinc 3 1
L39: goto L25
.stack same
L42: aload_0
L43: getfield Field QuickSort array [I
L46: iload 4
L48: iaload
L49: iload 5
L51: if_icmple L60
L54: iinc 4 -1
L57: goto L42
.stack same
L60: iload_3
L61: iload 4
L63: if_icmpgt L19
L66: aload_0
L67: iload_3
L68: iload 4
L70: invokespecial Method QuickSort exchangeNumbers (II)V
L73: iinc 3 1
L76: iinc 4 -1
L79: goto L19
.stack same
L82: iload_1
L83: iload 4
L85: if_icmpge L95
L88: aload_0
L89: iload_1
L90: iload 4
L92: invokespecial Method QuickSort quickSort (II)V
.stack same
L95: iload_3
L96: iload_2
L97: if_icmpge L106
L100: aload_0
L101: iload_3
L102: iload_2
L103: invokespecial Method QuickSort quickSort (II)V
.stack same
L106: return
L107:
.linenumbertable
L0 20
L2 21
L5 23
L19 25
L25 27
L36 28
L42 30
L54 31
L60 33
L66 34
L73 35
L76 36
L82 40
L88 41
L95 43
L100 44
L106 46
.end linenumbertable
.end code
.end method
.method private exchangeNumbers : (II)V
.code stack 4 locals 4
L0: aload_0
L1: getfield Field QuickSort array [I
L4: iload_1
L5: iaload
L6: istore_3
L7: aload_0
L8: getfield Field QuickSort array [I
L11: iload_1
L12: aload_0
L13: getfield Field QuickSort array [I
L16: iload_2
L17: iaload
L18: iastore
L19: aload_0
L20: getfield Field QuickSort array [I
L23: iload_2
L24: iload_3
L25: iastore
L26: return
L27:
.linenumbertable
L0 49
L7 50
L19 51
L26 52
.end linenumbertable
.end code
.end method
.sourcefile 'QuickSort.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 16:03: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 QuickSort_ESTest extends QuickSort_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
QuickSort quickSort0 = new QuickSort();
int[] intArray0 = new int[7];
intArray0[0] = 0;
intArray0[1] = 45724;
quickSort0.Sort(intArray0);
intArray0[2] = (-36984);
intArray0[3] = (-16980);
intArray0[4] = 1;
intArray0[5] = (-26544);
intArray0[6] = 0;
quickSort0.Sort(intArray0);
assertArrayEquals(new int[] {(-36984), (-26544), (-16980), 0, 0, 0, 1}, intArray0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
QuickSort quickSort0 = new QuickSort();
int[] intArray0 = new int[4];
intArray0[0] = 0;
intArray0[1] = 64619;
intArray0[2] = (-54793);
intArray0[3] = 0;
quickSort0.Sort(intArray0);
quickSort0.Sort(intArray0);
assertArrayEquals(new int[] {(-54793), 0, 0, 64619}, intArray0);
int[] intArray1 = new int[8];
intArray1[0] = 0;
intArray1[1] = 0;
intArray1[2] = 0;
intArray1[3] = 0;
intArray1[4] = 0;
intArray1[5] = (-54793);
intArray1[6] = 0;
intArray1[7] = 64619;
quickSort0.Sort(intArray1);
assertArrayEquals(new int[] {(-54793), 0, 0, 0, 0, 0, 0, 64619}, intArray1);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
QuickSort quickSort0 = new QuickSort();
int[] intArray0 = new int[5];
quickSort0.Sort(intArray0);
intArray0[0] = 1;
intArray0[1] = 0;
intArray0[2] = (-42698);
quickSort0.Sort(intArray0);
intArray0[3] = 1;
int[] intArray1 = new int[8];
intArray1[0] = 0;
intArray1[1] = 0;
intArray1[2] = 0;
intArray1[3] = 1;
intArray1[4] = 1;
intArray1[5] = 1;
intArray1[6] = 0;
intArray1[7] = (-55652);
quickSort0.Sort(intArray1);
intArray0[4] = 0;
quickSort0.Sort(intArray0);
quickSort0.Sort(intArray0);
quickSort0.Sort(intArray0);
assertArrayEquals(new int[] {(-42698), 0, 0, 0, 1}, intArray0);
int[] intArray2 = new int[1];
quickSort0.Sort(intArray2);
intArray2[0] = (-2591);
quickSort0.Sort(intArray2);
quickSort0.Sort(intArray2);
quickSort0.Sort(intArray1);
assertArrayEquals(new int[] {(-55652), 0, 0, 0, 0, 1, 1, 1}, intArray1);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
QuickSort quickSort0 = new QuickSort();
int[] intArray0 = new int[4];
quickSort0.Sort(intArray0);
intArray0[0] = 88507;
int[] intArray1 = new int[2];
intArray1[0] = 0;
intArray1[1] = 0;
quickSort0.Sort(intArray1);
intArray0[1] = 0;
intArray0[2] = 17414;
intArray0[3] = 0;
quickSort0.Sort(intArray0);
quickSort0.Sort(intArray0);
quickSort0.Sort(intArray0);
assertArrayEquals(new int[] {0, 0, 17414, 88507}, intArray0);
int[] intArray2 = new int[5];
intArray2[0] = 0;
intArray2[1] = 0;
intArray2[2] = 88507;
intArray2[3] = 0;
intArray2[4] = 88507;
quickSort0.Sort(intArray2);
quickSort0.Sort(intArray2);
assertArrayEquals(new int[] {0, 0, 0, 88507, 88507}, intArray2);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 16:03: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 QuickSort_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "QuickSort";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpj0s1k8c9");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(QuickSort_ESTest_scaffolding.class.getClassLoader() ,
"QuickSort"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(QuickSort_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"QuickSort"
);
}
}
| 4,991 |
IntRange | // struct IntRange {
public class IntRange {
// int begin;
public int begin;
// int end;
public int end;
// IntRange(int b, int e) : begin(b), end(e) {}
public IntRange(int b, int e) {
this.begin = b;
this.end = e;
}
// };
}
| .version 52 0
.class public super IntRange
.super java/lang/Object
.field public begin I
.field public end I
.method public <init> : (II)V
.code stack 2 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iload_1
L6: putfield Field IntRange begin I
L9: aload_0
L10: iload_2
L11: putfield Field IntRange end I
L14: return
L15:
.linenumbertable
L0 10
.end linenumbertable
.end code
.end method
.sourcefile 'IntRange.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 07:25: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 IntRange_ESTest extends IntRange_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
IntRange intRange0 = new IntRange((-113789), (-113789));
assertEquals((-113789), intRange0.end);
assertEquals((-113789), intRange0.begin);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 07:25: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 IntRange_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "IntRange";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmppz7tffhn");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(IntRange_ESTest_scaffolding.class.getClassLoader() ,
"IntRange"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(IntRange_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"IntRange"
);
}
}
| 4,992 |
AstralTypeId | /** astral (c) Copyright 2015 Duane Krause All rights reserved. */
import java.lang.reflect.Type;
public class AstralTypeId implements Comparable<AstralTypeId> {
private final Type _type;
private final String _qualifier;
private final String _typeName;
public AstralTypeId(Type type) {
this(type, null);
}
public AstralTypeId(Type type, String qualifier) {
_type = type;
_qualifier = qualifier;
StringBuilder stringBuilder = new StringBuilder(getUniqueTypeName(_type));
if (_qualifier != null) {
stringBuilder.append('|');
stringBuilder.append(_qualifier);
}
_typeName = stringBuilder.toString();
}
public Type getType() {
return _type;
}
public String getQualifier() {
return _qualifier;
}
public String getTypeName() {
return _typeName;
}
public static String getUniqueTypeName(Type clazz) {
return clazz.getTypeName();
}
@Override
public String toString() {
return _typeName;
}
@Override
public int compareTo(AstralTypeId other) {
return _typeName.compareTo(other._typeName);
}
@Override
public boolean equals(Object o) {
if (this == o) return true;
if (o == null || getClass() != o.getClass()) return false;
AstralTypeId that = (AstralTypeId) o;
return _typeName.equals(that._typeName);
}
@Override
public int hashCode() {
return _typeName.hashCode();
}
}
| .version 52 0
.class public super AstralTypeId
.super java/lang/Object
.implements java/lang/Comparable
.field private final _type Ljava/lang/reflect/Type;
.field private final _qualifier Ljava/lang/String;
.field private final _typeName Ljava/lang/String;
.method public <init> : (Ljava/lang/reflect/Type;)V
.code stack 3 locals 2
L0: aload_0
L1: aload_1
L2: aconst_null
L3: invokespecial Method AstralTypeId <init> (Ljava/lang/reflect/Type;Ljava/lang/String;)V
L6: return
L7:
.linenumbertable
L0 18
L6 19
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/reflect/Type;Ljava/lang/String;)V
.code stack 3 locals 4
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field AstralTypeId _type Ljava/lang/reflect/Type;
L9: aload_0
L10: aload_2
L11: putfield Field AstralTypeId _qualifier Ljava/lang/String;
L14: new java/lang/StringBuilder
L17: dup
L18: aload_0
L19: getfield Field AstralTypeId _type Ljava/lang/reflect/Type;
L22: invokestatic Method AstralTypeId getUniqueTypeName (Ljava/lang/reflect/Type;)Ljava/lang/String;
L25: invokespecial Method java/lang/StringBuilder <init> (Ljava/lang/String;)V
L28: astore_3
L29: aload_0
L30: getfield Field AstralTypeId _qualifier Ljava/lang/String;
L33: ifnull L52
L36: aload_3
L37: bipush 124
L39: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L42: pop
L43: aload_3
L44: aload_0
L45: getfield Field AstralTypeId _qualifier Ljava/lang/String;
L48: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L51: pop
.stack full
locals Object AstralTypeId Object java/lang/reflect/Type Object java/lang/String Object java/lang/StringBuilder
stack
.end stack
L52: aload_0
L53: aload_3
L54: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L57: putfield Field AstralTypeId _typeName Ljava/lang/String;
L60: return
L61:
.linenumbertable
L0 21
L4 22
L9 23
L14 25
L29 26
L36 27
L43 28
L52 30
L60 31
.end linenumbertable
.end code
.end method
.method public getType : ()Ljava/lang/reflect/Type;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field AstralTypeId _type Ljava/lang/reflect/Type;
L4: areturn
L5:
.linenumbertable
L0 33
.end linenumbertable
.end code
.end method
.method public getQualifier : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field AstralTypeId _qualifier Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 34
.end linenumbertable
.end code
.end method
.method public getTypeName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field AstralTypeId _typeName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 35
.end linenumbertable
.end code
.end method
.method public static getUniqueTypeName : (Ljava/lang/reflect/Type;)Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: invokeinterface InterfaceMethod java/lang/reflect/Type getTypeName ()Ljava/lang/String; 1
L6: areturn
L7:
.linenumbertable
L0 37
.end linenumbertable
.end code
.end method
.method public toString : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field AstralTypeId _typeName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 40
.end linenumbertable
.end code
.end method
.method public compareTo : (LAstralTypeId;)I
.code stack 2 locals 2
L0: aload_0
L1: getfield Field AstralTypeId _typeName Ljava/lang/String;
L4: aload_1
L5: getfield Field AstralTypeId _typeName Ljava/lang/String;
L8: invokevirtual Method java/lang/String compareTo (Ljava/lang/String;)I
L11: ireturn
L12:
.linenumbertable
L0 44
.end linenumbertable
.end code
.end method
.method public equals : (Ljava/lang/Object;)Z
.code stack 2 locals 3
L0: aload_0
L1: aload_1
L2: if_acmpne L7
L5: iconst_1
L6: ireturn
.stack same
L7: aload_1
L8: ifnull L22
L11: aload_0
L12: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L15: aload_1
L16: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L19: if_acmpeq L24
.stack same
L22: iconst_0
L23: ireturn
.stack same
L24: aload_1
L25: checkcast AstralTypeId
L28: astore_2
L29: aload_0
L30: getfield Field AstralTypeId _typeName Ljava/lang/String;
L33: aload_2
L34: getfield Field AstralTypeId _typeName Ljava/lang/String;
L37: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L40: ireturn
L41:
.linenumbertable
L0 49
L7 50
L22 51
L24 52
L29 53
.end linenumbertable
.end code
.end method
.method public hashCode : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field AstralTypeId _typeName Ljava/lang/String;
L4: invokevirtual Method java/lang/String hashCode ()I
L7: ireturn
L8:
.linenumbertable
L0 58
.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 AstralTypeId
L5: invokevirtual Method AstralTypeId compareTo (LAstralTypeId;)I
L8: ireturn
L9:
.linenumbertable
L0 11
.end linenumbertable
.end code
.end method
.signature Ljava/lang/Object;Ljava/lang/Comparable<LAstralTypeId;>;
.sourcefile 'AstralTypeId.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 12:33:49 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.shaded.org.mockito.Mockito.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.lang.reflect.Type;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.ViolatedAssumptionAnswer;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class AstralTypeId_ESTest extends AstralTypeId_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Type type0 = mock(Type.class, new ViolatedAssumptionAnswer());
doReturn((String) null).when(type0).toString();
doReturn("P5;-'={)R|f'&", (String) null).when(type0).getTypeName();
AstralTypeId astralTypeId0 = new AstralTypeId(type0);
Type type1 = mock(Type.class, new ViolatedAssumptionAnswer());
doReturn((String) null).when(type1).getTypeName();
AstralTypeId.getUniqueTypeName(type1);
astralTypeId0.equals("");
Type type2 = mock(Type.class, new ViolatedAssumptionAnswer());
doReturn((String) null).when(type2).getTypeName();
AstralTypeId.getUniqueTypeName(type2);
Type type3 = mock(Type.class, new ViolatedAssumptionAnswer());
doReturn((String) null).when(type3).getTypeName();
AstralTypeId.getUniqueTypeName(type3);
Type type4 = astralTypeId0.getType();
AstralTypeId astralTypeId1 = null;
try {
astralTypeId1 = new AstralTypeId(type4);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Type type0 = mock(Type.class, new ViolatedAssumptionAnswer());
doReturn("").when(type0).getTypeName();
AstralTypeId astralTypeId0 = new AstralTypeId(type0);
String string0 = astralTypeId0.toString();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Type type0 = mock(Type.class, new ViolatedAssumptionAnswer());
doReturn("").when(type0).getTypeName();
AstralTypeId.getUniqueTypeName(type0);
Type type1 = mock(Type.class, new ViolatedAssumptionAnswer());
doReturn(".gJBtWlLPbb&!==|.gJBtWlLPbb&!==").when(type1).toString();
doReturn(".gJBtWlLPbb&!==|.gJBtWlLPbb&!==", (String) null).when(type1).getTypeName();
AstralTypeId astralTypeId0 = new AstralTypeId(type1, "");
Type type2 = astralTypeId0.getType();
AstralTypeId.getUniqueTypeName(type2);
assertEquals(".gJBtWlLPbb&!==|.gJBtWlLPbb&!==|", astralTypeId0.getTypeName());
assertEquals(".gJBtWlLPbb&!==|.gJBtWlLPbb&!==|", astralTypeId0.toString());
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Type type0 = mock(Type.class, new ViolatedAssumptionAnswer());
doReturn("").when(type0).getTypeName();
AstralTypeId astralTypeId0 = new AstralTypeId(type0);
String string0 = astralTypeId0.getTypeName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Type type0 = mock(Type.class, new ViolatedAssumptionAnswer());
doReturn(".gJBtWlLPbb&!==|.gJBtWlLPbb&!==").when(type0).getTypeName();
AstralTypeId astralTypeId0 = new AstralTypeId(type0, "");
astralTypeId0.getQualifier();
assertEquals(".gJBtWlLPbb&!==|.gJBtWlLPbb&!==|", astralTypeId0.toString());
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Type type0 = mock(Type.class, new ViolatedAssumptionAnswer());
doReturn(".gJBtWlLPbb&!==|.gJBtWlLPbb&!==").when(type0).getTypeName();
AstralTypeId astralTypeId0 = new AstralTypeId(type0, "");
boolean boolean0 = astralTypeId0.equals("");
assertFalse(boolean0);
assertEquals(".gJBtWlLPbb&!==|.gJBtWlLPbb&!==|", astralTypeId0.toString());
}
@Test(timeout = 4000)
public void test6() throws Throwable {
Type type0 = mock(Type.class, new ViolatedAssumptionAnswer());
doReturn(".gJBtWlLPbb&!==|.gJBtWlLPbb&!==").when(type0).getTypeName();
AstralTypeId astralTypeId0 = new AstralTypeId(type0, "");
boolean boolean0 = astralTypeId0.equals(astralTypeId0);
assertTrue(boolean0);
assertEquals(".gJBtWlLPbb&!==|.gJBtWlLPbb&!==|", astralTypeId0.toString());
}
@Test(timeout = 4000)
public void test7() throws Throwable {
Type type0 = mock(Type.class, new ViolatedAssumptionAnswer());
doReturn((String) null).when(type0).toString();
doReturn("", (String) null, (String) null, (String) null).when(type0).getTypeName();
AstralTypeId astralTypeId0 = new AstralTypeId(type0, "5rt6bn0");
Type type1 = mock(Type.class, new ViolatedAssumptionAnswer());
doReturn((String) null).when(type1).getTypeName();
Type type2 = mock(Type.class, new ViolatedAssumptionAnswer());
doReturn((String) null).when(type2).getTypeName();
AstralTypeId.getUniqueTypeName(type2);
Type type3 = mock(Type.class, new ViolatedAssumptionAnswer());
doReturn((String) null).when(type3).getTypeName();
AstralTypeId.getUniqueTypeName(type3);
AstralTypeId.getUniqueTypeName(type1);
Type type4 = mock(Type.class, new ViolatedAssumptionAnswer());
doReturn((String) null).when(type4).getTypeName();
AstralTypeId.getUniqueTypeName(type4);
Type type5 = mock(Type.class, new ViolatedAssumptionAnswer());
doReturn((String) null).when(type5).getTypeName();
Type type6 = mock(Type.class, new ViolatedAssumptionAnswer());
doReturn((String) null).when(type6).getTypeName();
Type type7 = mock(Type.class, new ViolatedAssumptionAnswer());
doReturn((String) null).when(type7).getTypeName();
AstralTypeId.getUniqueTypeName(type7);
AstralTypeId.getUniqueTypeName(type6);
AstralTypeId.getUniqueTypeName(type5);
astralTypeId0.hashCode();
Type type8 = astralTypeId0.getType();
astralTypeId0.getQualifier();
astralTypeId0.hashCode();
AstralTypeId.getUniqueTypeName(type8);
AstralTypeId.getUniqueTypeName(type8);
AstralTypeId astralTypeId1 = null;
try {
astralTypeId1 = new AstralTypeId(type8);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
}
}
@Test(timeout = 4000)
public void test8() throws Throwable {
Type type0 = mock(Type.class, new ViolatedAssumptionAnswer());
doReturn(".gJBtWlLPbb&!==|.gJBtWlLPbb&!==").when(type0).getTypeName();
AstralTypeId astralTypeId0 = new AstralTypeId(type0, "");
String string0 = astralTypeId0.toString();
assertEquals(".gJBtWlLPbb&!==|.gJBtWlLPbb&!==|", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 12:33:49 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
import static org.evosuite.shaded.org.mockito.Mockito.*;
@EvoSuiteClassExclude
public class AstralTypeId_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "AstralTypeId";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
try { initMocksToAvoidTimeoutsInTheTests(); } catch(ClassNotFoundException e) {}
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp7ejj8avp");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(AstralTypeId_ESTest_scaffolding.class.getClassLoader() ,
"AstralTypeId"
);
}
private static void initMocksToAvoidTimeoutsInTheTests() throws ClassNotFoundException {
mock(Class.forName("java.lang.reflect.Type", false, AstralTypeId_ESTest_scaffolding.class.getClassLoader()));
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AstralTypeId_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"AstralTypeId"
);
}
}
| 4,993 |
SectorDTO | /*******************************************************************************
* Copyright (c) 2015-2016, WSO2.Telco Inc. (http://www.wso2telco.com) All Rights Reserved.
*
* WSO2.Telco Inc. licences 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.
******************************************************************************/
// TODO: Auto-generated Javadoc
/** The Class SectorDTO. */
public class SectorDTO {
/** The sector. */
private String sector;
/** Instantiates a new sector DTO. */
public SectorDTO() {}
/**
* Instantiates a new sector DTO.
*
* @param sector the sector
*/
public SectorDTO(String sector) {
this.sector = sector;
}
/**
* Gets the sector.
*
* @return the sector
*/
public String getSectorId() {
return sector;
}
/**
* Sets the sector.
*
* @param sector the new sector
*/
public void setSectorId(String sector) {
this.sector = sector;
}
}
| .version 52 0
.class public super SectorDTO
.super java/lang/Object
.field private sector 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 33
L4 35
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field SectorDTO sector Ljava/lang/String;
L9: return
L10:
.linenumbertable
L0 42
L4 43
L9 44
.end linenumbertable
.end code
.end method
.method public getSectorId : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SectorDTO sector Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 52
.end linenumbertable
.end code
.end method
.method public setSectorId : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field SectorDTO sector Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 61
L5 62
.end linenumbertable
.end code
.end method
.sourcefile 'SectorDTO.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 05:33: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 SectorDTO_ESTest extends SectorDTO_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
SectorDTO sectorDTO0 = new SectorDTO("|/0,6:\"(U");
String string0 = sectorDTO0.getSectorId();
assertEquals("|/0,6:\"(U", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
SectorDTO sectorDTO0 = new SectorDTO("|/0,6:\"(U");
sectorDTO0.setSectorId("");
String string0 = sectorDTO0.getSectorId();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
SectorDTO sectorDTO0 = new SectorDTO();
sectorDTO0.setSectorId("");
assertEquals("", sectorDTO0.getSectorId());
}
@Test(timeout = 4000)
public void test3() throws Throwable {
SectorDTO sectorDTO0 = new SectorDTO();
String string0 = sectorDTO0.getSectorId();
assertNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 05:33: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 SectorDTO_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "SectorDTO";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp1a318x09");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SectorDTO_ESTest_scaffolding.class.getClassLoader() ,
"SectorDTO"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SectorDTO_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"SectorDTO"
);
}
}
| 4,994 |
ex16 | import java.util.Scanner;
public class ex16 {
public static void main(String[] args) {
Scanner s = new Scanner(System.in);
Double c1, c2, r, h;
System.out.println("Valor de um cateto:");
c1 = s.nextDouble();
System.out.println("Valor do outro cateto:");
c2 = s.nextDouble();
h = Math.pow(c1, 2) + Math.pow(c2, 2);
r = Math.sqrt(h);
System.out.println("Valor da hipotenusa:" + r);
}
}
| .version 52 0
.class public super ex16
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 5
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 6 locals 6
L0: new java/util/Scanner
L3: dup
L4: getstatic Field java/lang/System in Ljava/io/InputStream;
L7: invokespecial Method java/util/Scanner <init> (Ljava/io/InputStream;)V
L10: astore_1
L11: getstatic Field java/lang/System out Ljava/io/PrintStream;
L14: ldc 'Valor de um cateto:'
L16: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L19: aload_1
L20: invokevirtual Method java/util/Scanner nextDouble ()D
L23: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L26: astore_2
L27: getstatic Field java/lang/System out Ljava/io/PrintStream;
L30: ldc 'Valor do outro cateto:'
L32: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L35: aload_1
L36: invokevirtual Method java/util/Scanner nextDouble ()D
L39: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L42: astore_3
L43: aload_2
L44: invokevirtual Method java/lang/Double doubleValue ()D
L47: ldc2_w +2.0
L50: invokestatic Method java/lang/Math pow (DD)D
L53: aload_3
L54: invokevirtual Method java/lang/Double doubleValue ()D
L57: ldc2_w +2.0
L60: invokestatic Method java/lang/Math pow (DD)D
L63: dadd
L64: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L67: astore 5
L69: aload 5
L71: invokevirtual Method java/lang/Double doubleValue ()D
L74: invokestatic Method java/lang/Math sqrt (D)D
L77: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L80: astore 4
L82: getstatic Field java/lang/System out Ljava/io/PrintStream;
L85: new java/lang/StringBuilder
L88: dup
L89: invokespecial Method java/lang/StringBuilder <init> ()V
L92: ldc 'Valor da hipotenusa:'
L94: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L97: aload 4
L99: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)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: return
L109:
.linenumbertable
L0 10
L11 14
L19 15
L27 17
L35 18
L43 20
L69 22
L82 24
L108 30
.end linenumbertable
.end code
.end method
.sourcefile 'ex16.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 18:03: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.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 ex16_ESTest extends ex16_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[4];
SystemInUtil.addInputLine("5");
SystemInUtil.addInputLine("5");
ex16.main(stringArray0);
assertEquals(4, stringArray0.length);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
ex16 ex16_0 = new ex16();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 18:03: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 ex16_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ex16";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
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/tmp3ilkmq4n");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ex16_ESTest_scaffolding.class.getClassLoader() ,
"ex16"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ex16_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ex16"
);
}
}
| 4,995 |
SocketProvider | import java.io.*;
import java.net.*;
public class SocketProvider {
ServerSocket providerSocket;
Socket connection = null;
ObjectOutputStream out;
ObjectInputStream in;
String message;
SocketProvider() {}
void run() {
try {
// 1. creating a server socket
providerSocket = new ServerSocket(2004, 10);
// 2. Wait for connection
System.out.println("Waiting for connection");
connection = providerSocket.accept();
System.out.println("Connection received from " + connection.getInetAddress().getHostName());
// 3. get Input and Output streams
out = new ObjectOutputStream(connection.getOutputStream());
out.flush();
in = new ObjectInputStream(connection.getInputStream());
sendMessage("Connection successful");
// 4. The two parts communicate via the input and output streams
do {
try {
message = (String) in.readObject();
System.out.println("client>" + message);
if (message.equals("bye")) sendMessage("bye");
} catch (ClassNotFoundException classnot) {
System.err.println("Data received in unknown format");
}
} while (!message.equals("bye"));
} catch (IOException ioException) {
ioException.printStackTrace();
} finally {
// 4: Closing connection
try {
in.close();
out.close();
providerSocket.close();
} catch (IOException ioException) {
ioException.printStackTrace();
}
}
}
void sendMessage(String msg) {
try {
out.writeObject(msg);
out.flush();
System.out.println("server>" + msg);
} catch (IOException ioException) {
ioException.printStackTrace();
}
}
public static void main(String args[]) {
SocketProvider server = new SocketProvider();
while (true) {
server.run();
}
}
}
| .version 52 0
.class public super SocketProvider
.super java/lang/Object
.field providerSocket Ljava/net/ServerSocket;
.field connection Ljava/net/Socket;
.field out Ljava/io/ObjectOutputStream;
.field in Ljava/io/ObjectInputStream;
.field message Ljava/lang/String;
.method <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 SocketProvider connection Ljava/net/Socket;
L9: return
L10:
.linenumbertable
L0 13
L4 8
L9 14
.end linenumbertable
.end code
.end method
.method run : ()V
.code stack 5 locals 4
L0: aload_0
L1: new java/net/ServerSocket
L4: dup
L5: sipush 2004
L8: bipush 10
L10: invokespecial Method java/net/ServerSocket <init> (II)V
L13: putfield Field SocketProvider providerSocket Ljava/net/ServerSocket;
L16: getstatic Field java/lang/System out Ljava/io/PrintStream;
L19: ldc 'Waiting for connection'
L21: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L24: aload_0
L25: aload_0
L26: getfield Field SocketProvider providerSocket Ljava/net/ServerSocket;
L29: invokevirtual Method java/net/ServerSocket accept ()Ljava/net/Socket;
L32: putfield Field SocketProvider connection Ljava/net/Socket;
L35: getstatic Field java/lang/System out Ljava/io/PrintStream;
L38: new java/lang/StringBuilder
L41: dup
L42: invokespecial Method java/lang/StringBuilder <init> ()V
L45: ldc 'Connection received from '
L47: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L50: aload_0
L51: getfield Field SocketProvider connection Ljava/net/Socket;
L54: invokevirtual Method java/net/Socket getInetAddress ()Ljava/net/InetAddress;
L57: invokevirtual Method java/net/InetAddress getHostName ()Ljava/lang/String;
L60: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L63: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L66: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L69: aload_0
L70: new java/io/ObjectOutputStream
L73: dup
L74: aload_0
L75: getfield Field SocketProvider connection Ljava/net/Socket;
L78: invokevirtual Method java/net/Socket getOutputStream ()Ljava/io/OutputStream;
L81: invokespecial Method java/io/ObjectOutputStream <init> (Ljava/io/OutputStream;)V
L84: putfield Field SocketProvider out Ljava/io/ObjectOutputStream;
L87: aload_0
L88: getfield Field SocketProvider out Ljava/io/ObjectOutputStream;
L91: invokevirtual Method java/io/ObjectOutputStream flush ()V
L94: aload_0
L95: new java/io/ObjectInputStream
L98: dup
L99: aload_0
L100: getfield Field SocketProvider connection Ljava/net/Socket;
L103: invokevirtual Method java/net/Socket getInputStream ()Ljava/io/InputStream;
L106: invokespecial Method java/io/ObjectInputStream <init> (Ljava/io/InputStream;)V
L109: putfield Field SocketProvider in Ljava/io/ObjectInputStream;
L112: aload_0
L113: ldc 'Connection successful'
L115: invokevirtual Method SocketProvider sendMessage (Ljava/lang/String;)V
.catch java/lang/ClassNotFoundException from L118 to L178 using L181
.stack same_extended
L118: aload_0
L119: aload_0
L120: getfield Field SocketProvider in Ljava/io/ObjectInputStream;
L123: invokevirtual Method java/io/ObjectInputStream readObject ()Ljava/lang/Object;
L126: checkcast java/lang/String
L129: putfield Field SocketProvider message Ljava/lang/String;
L132: getstatic Field java/lang/System out Ljava/io/PrintStream;
L135: new java/lang/StringBuilder
L138: dup
L139: invokespecial Method java/lang/StringBuilder <init> ()V
L142: ldc 'client>'
L144: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L147: aload_0
L148: getfield Field SocketProvider message Ljava/lang/String;
L151: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L154: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L157: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L160: aload_0
L161: getfield Field SocketProvider message Ljava/lang/String;
L164: ldc 'bye'
L166: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L169: ifeq L178
L172: aload_0
L173: ldc 'bye'
L175: invokevirtual Method SocketProvider sendMessage (Ljava/lang/String;)V
.stack same
L178: goto L190
.stack stack_1 Object java/lang/ClassNotFoundException
L181: astore_1
L182: getstatic Field java/lang/System err Ljava/io/PrintStream;
L185: ldc 'Data received in unknown format'
L187: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack same
L190: aload_0
L191: getfield Field SocketProvider message Ljava/lang/String;
L194: ldc 'bye'
L196: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L199: ifeq L118
.catch java/io/IOException from L202 to L223 using L226
.catch java/io/IOException from L0 to L202 using L234
L202: aload_0
L203: getfield Field SocketProvider in Ljava/io/ObjectInputStream;
L206: invokevirtual Method java/io/ObjectInputStream close ()V
L209: aload_0
L210: getfield Field SocketProvider out Ljava/io/ObjectOutputStream;
L213: invokevirtual Method java/io/ObjectOutputStream close ()V
L216: aload_0
L217: getfield Field SocketProvider providerSocket Ljava/net/ServerSocket;
L220: invokevirtual Method java/net/ServerSocket close ()V
L223: goto L303
.stack stack_1 Object java/io/IOException
L226: astore_1
L227: aload_1
L228: invokevirtual Method java/io/IOException printStackTrace ()V
L231: goto L303
.stack stack_1 Object java/io/IOException
L234: astore_1
L235: aload_1
L236: invokevirtual Method java/io/IOException printStackTrace ()V
.catch java/io/IOException from L239 to L260 using L263
.catch [0] from L0 to L202 using L271
.catch [0] from L234 to L239 using L271
L239: aload_0
L240: getfield Field SocketProvider in Ljava/io/ObjectInputStream;
L243: invokevirtual Method java/io/ObjectInputStream close ()V
L246: aload_0
L247: getfield Field SocketProvider out Ljava/io/ObjectOutputStream;
L250: invokevirtual Method java/io/ObjectOutputStream close ()V
L253: aload_0
L254: getfield Field SocketProvider providerSocket Ljava/net/ServerSocket;
L257: invokevirtual Method java/net/ServerSocket close ()V
L260: goto L303
.stack stack_1 Object java/io/IOException
L263: astore_1
L264: aload_1
L265: invokevirtual Method java/io/IOException printStackTrace ()V
L268: goto L303
.stack stack_1 Object java/lang/Throwable
L271: astore_2
.catch java/io/IOException from L272 to L293 using L296
L272: aload_0
L273: getfield Field SocketProvider in Ljava/io/ObjectInputStream;
L276: invokevirtual Method java/io/ObjectInputStream close ()V
L279: aload_0
L280: getfield Field SocketProvider out Ljava/io/ObjectOutputStream;
L283: invokevirtual Method java/io/ObjectOutputStream close ()V
L286: aload_0
L287: getfield Field SocketProvider providerSocket Ljava/net/ServerSocket;
L290: invokevirtual Method java/net/ServerSocket close ()V
L293: goto L301
.stack full
locals Object SocketProvider Top Object java/lang/Throwable
stack Object java/io/IOException
.end stack
L296: astore_3
L297: aload_3
L298: invokevirtual Method java/io/IOException printStackTrace ()V
.stack same
L301: aload_2
L302: athrow
.stack chop 2
L303: return
L304:
.linenumbertable
L0 19
L16 21
L24 22
L35 23
L54 24
L66 23
L69 26
L87 27
L94 28
L112 29
L118 33
L132 34
L160 35
L172 36
L178 39
L181 37
L182 38
L190 40
L202 46
L209 47
L216 48
L223 51
L226 49
L227 50
L231 52
L234 41
L235 42
L239 46
L246 47
L253 48
L260 51
L263 49
L264 50
L268 52
L271 45
L272 46
L279 47
L286 48
L293 51
L296 49
L297 50
L301 52
L303 53
.end linenumbertable
.end code
.end method
.method sendMessage : (Ljava/lang/String;)V
.code stack 3 locals 3
.catch java/io/IOException from L0 to L40 using L43
L0: aload_0
L1: getfield Field SocketProvider out Ljava/io/ObjectOutputStream;
L4: aload_1
L5: invokevirtual Method java/io/ObjectOutputStream writeObject (Ljava/lang/Object;)V
L8: aload_0
L9: getfield Field SocketProvider out Ljava/io/ObjectOutputStream;
L12: invokevirtual Method java/io/ObjectOutputStream flush ()V
L15: getstatic Field java/lang/System out Ljava/io/PrintStream;
L18: new java/lang/StringBuilder
L21: dup
L22: invokespecial Method java/lang/StringBuilder <init> ()V
L25: ldc 'server>'
L27: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L30: aload_1
L31: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L34: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L37: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L40: goto L48
.stack stack_1 Object java/io/IOException
L43: astore_2
L44: aload_2
L45: invokevirtual Method java/io/IOException printStackTrace ()V
.stack same
L48: return
L49:
.linenumbertable
L0 57
L8 58
L15 59
L40 62
L43 60
L44 61
L48 63
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 2 locals 2
L0: new SocketProvider
L3: dup
L4: invokespecial Method SocketProvider <init> ()V
L7: astore_1
.stack append Object SocketProvider
L8: aload_1
L9: invokevirtual Method SocketProvider run ()V
L12: goto L8
L15:
.linenumbertable
L0 66
L8 68
.end linenumbertable
.end code
.end method
.sourcefile 'SocketProvider.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 00:31:13 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.io.BufferedOutputStream;
import java.io.File;
import java.io.ObjectOutputStream;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.mock.java.io.MockFile;
import org.evosuite.runtime.mock.java.io.MockFileOutputStream;
import org.evosuite.runtime.testdata.EvoSuiteLocalAddress;
import org.evosuite.runtime.testdata.FileSystemHandling;
import org.evosuite.runtime.testdata.NetworkHandling;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class SocketProvider_ESTest extends SocketProvider_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[0];
// Undeclared exception!
try {
SocketProvider.main(stringArray0);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("SocketProvider", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
SocketProvider socketProvider0 = new SocketProvider();
File file0 = MockFile.createTempFile("PK4j:HSMB\"i(NF|.|U", "h\";<I(^R/D@8");
MockFileOutputStream mockFileOutputStream0 = new MockFileOutputStream(file0);
BufferedOutputStream bufferedOutputStream0 = new BufferedOutputStream(mockFileOutputStream0);
ObjectOutputStream objectOutputStream0 = new ObjectOutputStream(bufferedOutputStream0);
FileSystemHandling.shouldAllThrowIOExceptions();
socketProvider0.out = objectOutputStream0;
socketProvider0.sendMessage("#szdSJI<HJ&");
}
@Test(timeout = 4000)
public void test2() throws Throwable {
SocketProvider socketProvider0 = new SocketProvider();
File file0 = MockFile.createTempFile("PK4j:HSMB\"i(NF|.|U", "h\";<I(^R/D@8");
MockFileOutputStream mockFileOutputStream0 = new MockFileOutputStream(file0);
BufferedOutputStream bufferedOutputStream0 = new BufferedOutputStream(mockFileOutputStream0);
ObjectOutputStream objectOutputStream0 = new ObjectOutputStream(bufferedOutputStream0);
socketProvider0.out = objectOutputStream0;
socketProvider0.sendMessage("#szdSJI<HJ&");
}
@Test(timeout = 4000)
public void test3() throws Throwable {
EvoSuiteLocalAddress evoSuiteLocalAddress0 = new EvoSuiteLocalAddress("192.168.1.42", 2004);
NetworkHandling.sendMessageOnTcp(evoSuiteLocalAddress0, "");
SocketProvider socketProvider0 = new SocketProvider();
// Undeclared exception!
try {
socketProvider0.run();
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("SocketProvider", e);
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 00:31: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 SocketProvider_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "SocketProvider";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpgfjmktjp");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SocketProvider_ESTest_scaffolding.class.getClassLoader() ,
"SocketProvider"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SocketProvider_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"SocketProvider"
);
}
}
| 4,996 |
meepmeep | public class meepmeep {
private static void meepmeep() {
System.out.println("Meep meep!");
}
public static void main(final String[] args) throws Exception {
meepmeep();
}
}
| .version 52 0
.class public super meepmeep
.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 private static meepmeep : ()V
.code stack 2 locals 0
L0: getstatic Field java/lang/System out Ljava/io/PrintStream;
L3: ldc 'Meep meep!'
L5: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L8: return
L9:
.linenumbertable
L0 5
L8 6
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 0 locals 1
L0: invokestatic Method meepmeep meepmeep ()V
L3: return
L4:
.linenumbertable
L0 10
L3 11
.end linenumbertable
.end code
.exceptions java/lang/Exception
.end method
.sourcefile 'meepmeep.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 12:25: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 meepmeep_ESTest extends meepmeep_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
meepmeep meepmeep0 = new meepmeep();
}
@Test(timeout = 4000)
public void test1() throws Throwable {
String[] stringArray0 = new String[7];
meepmeep.main(stringArray0);
assertEquals(7, stringArray0.length);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 12:25: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 meepmeep_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "meepmeep";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp4c7ghqki");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(meepmeep_ESTest_scaffolding.class.getClassLoader() ,
"meepmeep"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(meepmeep_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"meepmeep"
);
}
}
| 4,997 |
ZeroNodesException | /*
* Copyright (c) 2014, Andreas P. Koenzen <akc at apkc.net>
* 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.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
* AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
* IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
* ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE
* LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR
* CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF
* SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS
* INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN
* CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* Throws when an incomplete document has been sent for indexing.
*
* @author Andreas P. Koenzen <akc at apkc.net>
* @version 0.1
*/
public class ZeroNodesException extends Exception {
public ZeroNodesException() {
super();
}
public ZeroNodesException(String message) {
super(message);
}
public ZeroNodesException(String message, Throwable cause) {
super(message, cause);
}
public ZeroNodesException(Throwable cause) {
super(cause);
}
}
| .version 52 0
.class public super ZeroNodesException
.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 39
L4 40
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V
L5: return
L6:
.linenumbertable
L0 44
L5 45
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;Ljava/lang/Throwable;)V
.code stack 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 49
L6 50
.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 54
L5 55
.end linenumbertable
.end code
.end method
.sourcefile 'ZeroNodesException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 14:04:19 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 ZeroNodesException_ESTest extends ZeroNodesException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
MockThrowable mockThrowable0 = new MockThrowable("7/z");
ZeroNodesException zeroNodesException0 = new ZeroNodesException("7Nr]]]C!GK!+dU<1sD", mockThrowable0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
ZeroNodesException zeroNodesException0 = new ZeroNodesException("");
}
@Test(timeout = 4000)
public void test2() throws Throwable {
MockThrowable mockThrowable0 = new MockThrowable("7/z");
ZeroNodesException zeroNodesException0 = new ZeroNodesException(mockThrowable0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
ZeroNodesException zeroNodesException0 = new ZeroNodesException();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 14:04: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 ZeroNodesException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ZeroNodesException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpr_1n8dk0");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ZeroNodesException_ESTest_scaffolding.class.getClassLoader() ,
"ZeroNodesException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ZeroNodesException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ZeroNodesException"
);
}
}
| 4,998 |
Solution | import java.io.*;
import java.math.*;
import java.security.*;
import java.text.*;
import java.util.*;
import java.util.concurrent.*;
import java.util.regex.*;
public class Solution {
// Complete the taumBday function below.
static long taumBday(int b, int w, int bc, int wc, int z) {
if ((z + wc < bc) && (z + bc > wc)) {
return (long) b * (z + wc) + (long) w * wc;
} else if ((z + bc < wc) && (z + wc > bc)) {
return (long) w * (z + bc) + (long) b * bc;
} else if ((z + wc < bc) && (z + bc < wc)) {
return (long) w * (z + bc) + (long) b * (z + wc);
} else return (long) w * wc + (long) b * bc;
}
private static final Scanner scanner = new Scanner(System.in);
public static void main(String[] args) throws IOException {
BufferedWriter bufferedWriter =
new BufferedWriter(new FileWriter(System.getenv("OUTPUT_PATH")));
int t = scanner.nextInt();
scanner.skip("(\r\n|[\n\r\u2028\u2029\u0085])?");
for (int tItr = 0; tItr < t; tItr++) {
String[] bw = scanner.nextLine().split(" ");
int b = Integer.parseInt(bw[0]);
int w = Integer.parseInt(bw[1]);
String[] bcWcz = scanner.nextLine().split(" ");
int bc = Integer.parseInt(bcWcz[0]);
int wc = Integer.parseInt(bcWcz[1]);
int z = Integer.parseInt(bcWcz[2]);
long result = taumBday(b, w, bc, wc, z);
bufferedWriter.write(String.valueOf(result));
bufferedWriter.newLine();
}
bufferedWriter.close();
scanner.close();
}
}
| .version 52 0
.class public super Solution
.super java/lang/Object
.field private static final scanner Ljava/util/Scanner;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 9
.end linenumbertable
.end code
.end method
.method static taumBday : (IIIII)J
.code stack 6 locals 5
L0: iload 4
L2: iload_3
L3: iadd
L4: iload_2
L5: if_icmpge L31
L8: iload 4
L10: iload_2
L11: iadd
L12: iload_3
L13: if_icmple L31
L16: iload_0
L17: i2l
L18: iload 4
L20: iload_3
L21: iadd
L22: i2l
L23: lmul
L24: iload_1
L25: i2l
L26: iload_3
L27: i2l
L28: lmul
L29: ladd
L30: lreturn
.stack same
L31: iload 4
L33: iload_2
L34: iadd
L35: iload_3
L36: if_icmpge L62
L39: iload 4
L41: iload_3
L42: iadd
L43: iload_2
L44: if_icmple L62
L47: iload_1
L48: i2l
L49: iload 4
L51: iload_2
L52: iadd
L53: i2l
L54: lmul
L55: iload_0
L56: i2l
L57: iload_2
L58: i2l
L59: lmul
L60: ladd
L61: lreturn
.stack same
L62: iload 4
L64: iload_3
L65: iadd
L66: iload_2
L67: if_icmpge L96
L70: iload 4
L72: iload_2
L73: iadd
L74: iload_3
L75: if_icmpge L96
L78: iload_1
L79: i2l
L80: iload 4
L82: iload_2
L83: iadd
L84: i2l
L85: lmul
L86: iload_0
L87: i2l
L88: iload 4
L90: iload_3
L91: iadd
L92: i2l
L93: lmul
L94: ladd
L95: lreturn
.stack same
L96: iload_1
L97: i2l
L98: iload_3
L99: i2l
L100: lmul
L101: iload_0
L102: i2l
L103: iload_2
L104: i2l
L105: lmul
L106: ladd
L107: lreturn
L108:
.linenumbertable
L0 13
L16 14
L31 16
L47 17
L62 19
L78 20
L96 22
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 5 locals 13
L0: new java/io/BufferedWriter
L3: dup
L4: new java/io/FileWriter
L7: dup
L8: ldc 'OUTPUT_PATH'
L10: invokestatic Method java/lang/System getenv (Ljava/lang/String;)Ljava/lang/String;
L13: invokespecial Method java/io/FileWriter <init> (Ljava/lang/String;)V
L16: invokespecial Method java/io/BufferedWriter <init> (Ljava/io/Writer;)V
L19: astore_1
L20: getstatic Field Solution scanner Ljava/util/Scanner;
L23: invokevirtual Method java/util/Scanner nextInt ()I
L26: istore_2
L27: getstatic Field Solution scanner Ljava/util/Scanner;
L30: ldc '(\r\n|[\n\r\u2028\u2029\x85])?'
L32: invokevirtual Method java/util/Scanner skip (Ljava/lang/String;)Ljava/util/Scanner;
L35: pop
L36: iconst_0
L37: istore_3
.stack append Object java/io/BufferedWriter Integer Integer
L38: iload_3
L39: iload_2
L40: if_icmpge L148
L43: getstatic Field Solution scanner Ljava/util/Scanner;
L46: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String;
L49: ldc ' '
L51: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String;
L54: astore 4
L56: aload 4
L58: iconst_0
L59: aaload
L60: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I
L63: istore 5
L65: aload 4
L67: iconst_1
L68: aaload
L69: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I
L72: istore 6
L74: getstatic Field Solution scanner Ljava/util/Scanner;
L77: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String;
L80: ldc ' '
L82: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String;
L85: astore 7
L87: aload 7
L89: iconst_0
L90: aaload
L91: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I
L94: istore 8
L96: aload 7
L98: iconst_1
L99: aaload
L100: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I
L103: istore 9
L105: aload 7
L107: iconst_2
L108: aaload
L109: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I
L112: istore 10
L114: iload 5
L116: iload 6
L118: iload 8
L120: iload 9
L122: iload 10
L124: invokestatic Method Solution taumBday (IIIII)J
L127: lstore 11
L129: aload_1
L130: lload 11
L132: invokestatic Method java/lang/String valueOf (J)Ljava/lang/String;
L135: invokevirtual Method java/io/BufferedWriter write (Ljava/lang/String;)V
L138: aload_1
L139: invokevirtual Method java/io/BufferedWriter newLine ()V
L142: iinc 3 1
L145: goto L38
.stack chop 1
L148: aload_1
L149: invokevirtual Method java/io/BufferedWriter close ()V
L152: getstatic Field Solution scanner Ljava/util/Scanner;
L155: invokevirtual Method java/util/Scanner close ()V
L158: return
L159:
.linenumbertable
L0 28
L20 30
L27 31
L36 33
L43 34
L56 36
L65 38
L74 40
L87 42
L96 44
L105 46
L114 48
L129 50
L138 51
L142 33
L148 54
L152 56
L158 57
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.method static <clinit> : ()V
.code stack 3 locals 0
L0: new java/util/Scanner
L3: dup
L4: getstatic Field java/lang/System in Ljava/io/InputStream;
L7: invokespecial Method java/util/Scanner <init> (Ljava/io/InputStream;)V
L10: putstatic Field Solution scanner Ljava/util/Scanner;
L13: return
L14:
.linenumbertable
L0 25
.end linenumbertable
.end code
.end method
.sourcefile 'Solution.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 07:43: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 Solution_ESTest extends Solution_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
long long0 = Solution.taumBday(1, 4755, 1, 1, (-98630));
assertEquals((-469079524L), long0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Solution.taumBday(0, 1, 1, 0, (-15739));
Solution.taumBday(0, 0, 0, 44476, 0);
String[] stringArray0 = new String[8];
// Undeclared exception!
try {
Solution.main(stringArray0);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("java.io.File", e);
}
}
@Test(timeout = 4000)
public void test2() throws Throwable {
long long0 = Solution.taumBday((-1), (-18013), (-1), 19482, (-18013));
assertEquals(324486183L, long0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
long long0 = Solution.taumBday((-15799), (-15799), (-15799), 0, (-15799));
assertEquals(249608401L, long0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
long long0 = Solution.taumBday((-159320), (-159320), (-159320), (-159320), 1);
assertEquals(50765724800L, long0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
long long0 = Solution.taumBday((-63470), 448, 448, (-63470), (-63470));
assertEquals(8028447240L, long0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
long long0 = Solution.taumBday(2, 2, 0, (-1), (-1));
assertEquals((-2L), long0);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
Solution solution0 = new Solution();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 07:43: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 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/tmpms7qbf6u");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.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"
);
}
}
| 4,999 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.