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 |
|---|---|---|---|---|---|
ReflectionUtils | /*
* © Copyright Tek Counsel LLC 2013
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at:
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
* implied. See the License for the specific language governing
* permissions and limitations under the License.
*/
/**
* @author Mark W Ambler
*/
import java.beans.IntrospectionException;
import java.beans.Introspector;
import java.beans.PropertyDescriptor;
import java.lang.annotation.Annotation;
import java.lang.reflect.Field;
import java.lang.reflect.InvocationTargetException;
import java.lang.reflect.Method;
import java.util.Map;
import java.util.concurrent.ConcurrentHashMap;
import java.util.logging.Level;
import java.util.logging.Logger;
/**
* @author Mark Ambler
*/
@SuppressWarnings({"unchecked", "rawtypes"})
public class ReflectionUtils {
private static Map cache = new ConcurrentHashMap(100);
private static Logger logger = Logger.getLogger(ReflectionUtils.class.getName());
/** Creates a new instance of ReflectUtils */
public ReflectionUtils() {}
public Object invokeMethod(Method meth, Object o) {
Object[] args = null;
Object obj = null;
try {
obj = meth.invoke(o, args);
} catch (IllegalArgumentException ex) {
logger.log(Level.SEVERE, null, ex);
} catch (InvocationTargetException ex) {
logger.log(Level.SEVERE, null, ex);
;
} catch (IllegalAccessException ex) {
logger.log(Level.SEVERE, null, ex);
;
}
return obj;
}
public Object invokeMethod(String getter, Object o) {
Object[] args = null;
Object obj = null;
Method meth = getMethod(getter, o);
try {
obj = meth.invoke(o, args);
} catch (IllegalArgumentException ex) {
logger.log(Level.SEVERE, null, ex);
;
} catch (InvocationTargetException ex) {
logger.log(Level.SEVERE, null, ex);
;
} catch (IllegalAccessException ex) {
logger.log(Level.SEVERE, null, ex);
;
}
return obj;
}
public void invokeSetter(Method meth, Object o, Object value) {
if (meth == null || o == null || value == null) {
return;
}
Object[] args = new Object[1];
Class[] cls = new Class[1];
cls[0] = value.getClass();
try {
args[0] = value;
meth.invoke(o, args);
} catch (IllegalArgumentException ex) {
logger.log(Level.SEVERE, null, ex);
;
} catch (InvocationTargetException ex) {
logger.log(Level.SEVERE, null, ex);
;
} catch (IllegalAccessException ex) {
logger.log(Level.SEVERE, null, ex);
;
}
}
public void invokeSetter(String setter, Object o, Object value) {
if (o == null || value == null) {
return;
}
Object[] args = new Object[1];
Class[] cls = new Class[1];
cls[0] = value.getClass();
Method meth = getMethod(setter, o);
try {
if (meth == null) {
return;
}
args[0] = value;
meth.invoke(o, args);
} catch (IllegalArgumentException ex) {
logger.log(Level.SEVERE, null, ex);
;
} catch (InvocationTargetException ex) {
logger.log(Level.SEVERE, null, ex);
;
} catch (IllegalAccessException ex) {
logger.log(Level.SEVERE, null, ex);
;
}
}
public Method getMethod(String methName, Object o) {
Method meth = null;
String key = o.getClass().getName() + "." + methName;
if (cache.containsKey(key)) {
meth = (Method) cache.get(key);
}
try {
if (meth == null) {
meth = findMethod(methName, o);
cache.put(key, meth);
}
} catch (SecurityException ex) {
logger.log(Level.SEVERE, null, ex);
;
}
return meth;
}
public Method findMethod(String method, Object o) {
Method[] methods = o.getClass().getMethods();
Method meth = null;
for (int i = 0; i < methods.length; i++) {
if (methods[i].getName().equalsIgnoreCase(method)) {
meth = methods[i];
break;
}
}
return meth;
}
public Annotation getMethodAnnotation(String methodName, Object o, Class annotationClass) {
Method method = this.findMethod(methodName, o);
Annotation a = null;
if (method.isAnnotationPresent(annotationClass)) {
a = method.getAnnotation(annotationClass);
}
return a;
}
public Annotation getMethodAnnotation(Method method, Class annotationClass) {
Annotation a = null;
if (method.isAnnotationPresent(annotationClass)) {
a = method.getAnnotation(annotationClass);
}
return a;
}
public Annotation getClassAnnotation(Object o, Class annotationClass) {
Annotation a = o.getClass().getAnnotation(annotationClass);
return a;
}
public Method[] getMethods(Object o) {
return o.getClass().getMethods();
}
public Method[] getDeclaredMethods(Object o) {
return o.getClass().getDeclaredMethods();
}
public Field[] getDeclaredFields(Object o) {
return o.getClass().getDeclaredFields();
}
public PropertyDescriptor[] getProperties(Object bean) {
PropertyDescriptor[] descriptors = null;
try {
descriptors = Introspector.getBeanInfo(bean.getClass()).getPropertyDescriptors();
} catch (IntrospectionException e) {
logger.log(Level.SEVERE, null, e);
}
return descriptors;
}
public boolean hasAnnotation(Object o, Class clazz) {
return o.getClass().isAnnotationPresent(clazz);
}
}
| .version 52 0
.class public super ReflectionUtils
.super java/lang/Object
.field private static cache Ljava/util/Map;
.field private static logger Ljava/util/logging/Logger;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 52
L4 53
.end linenumbertable
.end code
.end method
.method public invokeMethod : (Ljava/lang/reflect/Method;Ljava/lang/Object;)Ljava/lang/Object;
.code stack 4 locals 6
L0: aconst_null
L1: astore_3
L2: aconst_null
L3: astore 4
.catch java/lang/IllegalArgumentException from L5 to L13 using L16
.catch java/lang/reflect/InvocationTargetException from L5 to L13 using L33
.catch java/lang/IllegalAccessException from L5 to L13 using L50
L5: aload_1
L6: aload_2
L7: aload_3
L8: invokevirtual Method java/lang/reflect/Method invoke (Ljava/lang/Object;[Ljava/lang/Object;)Ljava/lang/Object;
L11: astore 4
L13: goto L64
.stack full
locals Object ReflectionUtils Object java/lang/reflect/Method Object java/lang/Object Object [Ljava/lang/Object; Object java/lang/Object
stack Object java/lang/IllegalArgumentException
.end stack
L16: astore 5
L18: getstatic Field ReflectionUtils logger Ljava/util/logging/Logger;
L21: getstatic Field java/util/logging/Level SEVERE Ljava/util/logging/Level;
L24: aconst_null
L25: aload 5
L27: invokevirtual Method java/util/logging/Logger log (Ljava/util/logging/Level;Ljava/lang/String;Ljava/lang/Throwable;)V
L30: goto L64
.stack stack_1 Object java/lang/reflect/InvocationTargetException
L33: astore 5
L35: getstatic Field ReflectionUtils logger Ljava/util/logging/Logger;
L38: getstatic Field java/util/logging/Level SEVERE Ljava/util/logging/Level;
L41: aconst_null
L42: aload 5
L44: invokevirtual Method java/util/logging/Logger log (Ljava/util/logging/Level;Ljava/lang/String;Ljava/lang/Throwable;)V
L47: goto L64
.stack stack_1 Object java/lang/IllegalAccessException
L50: astore 5
L52: getstatic Field ReflectionUtils logger Ljava/util/logging/Logger;
L55: getstatic Field java/util/logging/Level SEVERE Ljava/util/logging/Level;
L58: aconst_null
L59: aload 5
L61: invokevirtual Method java/util/logging/Logger log (Ljava/util/logging/Level;Ljava/lang/String;Ljava/lang/Throwable;)V
.stack same
L64: aload 4
L66: areturn
L67:
.linenumbertable
L0 56
L2 57
L5 60
L13 67
L16 61
L18 62
L30 67
L33 63
L35 64
L47 67
L50 65
L52 66
L64 69
.end linenumbertable
.end code
.end method
.method public invokeMethod : (Ljava/lang/String;Ljava/lang/Object;)Ljava/lang/Object;
.code stack 4 locals 7
L0: aconst_null
L1: astore_3
L2: aconst_null
L3: astore 4
L5: aload_0
L6: aload_1
L7: aload_2
L8: invokevirtual Method ReflectionUtils getMethod (Ljava/lang/String;Ljava/lang/Object;)Ljava/lang/reflect/Method;
L11: astore 5
.catch java/lang/IllegalArgumentException from L13 to L22 using L25
.catch java/lang/reflect/InvocationTargetException from L13 to L22 using L42
.catch java/lang/IllegalAccessException from L13 to L22 using L59
L13: aload 5
L15: aload_2
L16: aload_3
L17: invokevirtual Method java/lang/reflect/Method invoke (Ljava/lang/Object;[Ljava/lang/Object;)Ljava/lang/Object;
L20: astore 4
L22: goto L73
.stack full
locals Object ReflectionUtils Object java/lang/String Object java/lang/Object Object [Ljava/lang/Object; Object java/lang/Object Object java/lang/reflect/Method
stack Object java/lang/IllegalArgumentException
.end stack
L25: astore 6
L27: getstatic Field ReflectionUtils logger Ljava/util/logging/Logger;
L30: getstatic Field java/util/logging/Level SEVERE Ljava/util/logging/Level;
L33: aconst_null
L34: aload 6
L36: invokevirtual Method java/util/logging/Logger log (Ljava/util/logging/Level;Ljava/lang/String;Ljava/lang/Throwable;)V
L39: goto L73
.stack stack_1 Object java/lang/reflect/InvocationTargetException
L42: astore 6
L44: getstatic Field ReflectionUtils logger Ljava/util/logging/Logger;
L47: getstatic Field java/util/logging/Level SEVERE Ljava/util/logging/Level;
L50: aconst_null
L51: aload 6
L53: invokevirtual Method java/util/logging/Logger log (Ljava/util/logging/Level;Ljava/lang/String;Ljava/lang/Throwable;)V
L56: goto L73
.stack stack_1 Object java/lang/IllegalAccessException
L59: astore 6
L61: getstatic Field ReflectionUtils logger Ljava/util/logging/Logger;
L64: getstatic Field java/util/logging/Level SEVERE Ljava/util/logging/Level;
L67: aconst_null
L68: aload 6
L70: invokevirtual Method java/util/logging/Logger log (Ljava/util/logging/Level;Ljava/lang/String;Ljava/lang/Throwable;)V
.stack same
L73: aload 4
L75: areturn
L76:
.linenumbertable
L0 73
L2 74
L5 75
L13 77
L22 84
L25 78
L27 79
L39 84
L42 80
L44 81
L56 84
L59 82
L61 83
L73 86
.end linenumbertable
.end code
.end method
.method public invokeSetter : (Ljava/lang/reflect/Method;Ljava/lang/Object;Ljava/lang/Object;)V
.code stack 4 locals 7
L0: aload_1
L1: ifnull L12
L4: aload_2
L5: ifnull L12
L8: aload_3
L9: ifnonnull L13
.stack same
L12: return
.stack same
L13: iconst_1
L14: anewarray java/lang/Object
L17: astore 4
L19: iconst_1
L20: anewarray java/lang/Class
L23: astore 5
L25: aload 5
L27: iconst_0
L28: aload_3
L29: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L32: aastore
.catch java/lang/IllegalArgumentException from L33 to L46 using L49
.catch java/lang/reflect/InvocationTargetException from L33 to L46 using L66
.catch java/lang/IllegalAccessException from L33 to L46 using L83
L33: aload 4
L35: iconst_0
L36: aload_3
L37: aastore
L38: aload_1
L39: aload_2
L40: aload 4
L42: invokevirtual Method java/lang/reflect/Method invoke (Ljava/lang/Object;[Ljava/lang/Object;)Ljava/lang/Object;
L45: pop
L46: goto L97
.stack full
locals Object ReflectionUtils Object java/lang/reflect/Method Object java/lang/Object Object java/lang/Object Object [Ljava/lang/Object; Object [Ljava/lang/Class;
stack Object java/lang/IllegalArgumentException
.end stack
L49: astore 6
L51: getstatic Field ReflectionUtils logger Ljava/util/logging/Logger;
L54: getstatic Field java/util/logging/Level SEVERE Ljava/util/logging/Level;
L57: aconst_null
L58: aload 6
L60: invokevirtual Method java/util/logging/Logger log (Ljava/util/logging/Level;Ljava/lang/String;Ljava/lang/Throwable;)V
L63: goto L97
.stack stack_1 Object java/lang/reflect/InvocationTargetException
L66: astore 6
L68: getstatic Field ReflectionUtils logger Ljava/util/logging/Logger;
L71: getstatic Field java/util/logging/Level SEVERE Ljava/util/logging/Level;
L74: aconst_null
L75: aload 6
L77: invokevirtual Method java/util/logging/Logger log (Ljava/util/logging/Level;Ljava/lang/String;Ljava/lang/Throwable;)V
L80: goto L97
.stack stack_1 Object java/lang/IllegalAccessException
L83: astore 6
L85: getstatic Field ReflectionUtils logger Ljava/util/logging/Logger;
L88: getstatic Field java/util/logging/Level SEVERE Ljava/util/logging/Level;
L91: aconst_null
L92: aload 6
L94: invokevirtual Method java/util/logging/Logger log (Ljava/util/logging/Level;Ljava/lang/String;Ljava/lang/Throwable;)V
.stack same
L97: return
L98:
.linenumbertable
L0 91
L12 92
L13 96
L19 97
L25 98
L33 103
L38 104
L46 111
L49 105
L51 106
L63 111
L66 107
L68 108
L80 111
L83 109
L85 110
L97 112
.end linenumbertable
.end code
.end method
.method public invokeSetter : (Ljava/lang/String;Ljava/lang/Object;Ljava/lang/Object;)V
.code stack 4 locals 8
L0: aload_2
L1: ifnull L8
L4: aload_3
L5: ifnonnull L9
.stack same
L8: return
.stack same
L9: iconst_1
L10: anewarray java/lang/Object
L13: astore 4
L15: iconst_1
L16: anewarray java/lang/Class
L19: astore 5
L21: aload 5
L23: iconst_0
L24: aload_3
L25: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L28: aastore
L29: aload_0
L30: aload_1
L31: aload_2
L32: invokevirtual Method ReflectionUtils getMethod (Ljava/lang/String;Ljava/lang/Object;)Ljava/lang/reflect/Method;
L35: astore 6
.catch java/lang/IllegalArgumentException from L37 to L42 using L60
L37: aload 6
L39: ifnonnull L43
L42: return
.catch java/lang/IllegalArgumentException from L43 to L57 using L60
.catch java/lang/reflect/InvocationTargetException from L37 to L42 using L77
.catch java/lang/reflect/InvocationTargetException from L43 to L57 using L77
.catch java/lang/IllegalAccessException from L37 to L42 using L94
.catch java/lang/IllegalAccessException from L43 to L57 using L94
.stack append Object [Ljava/lang/Object; Object [Ljava/lang/Class; Object java/lang/reflect/Method
L43: aload 4
L45: iconst_0
L46: aload_3
L47: aastore
L48: aload 6
L50: aload_2
L51: aload 4
L53: invokevirtual Method java/lang/reflect/Method invoke (Ljava/lang/Object;[Ljava/lang/Object;)Ljava/lang/Object;
L56: pop
L57: goto L108
.stack stack_1 Object java/lang/IllegalArgumentException
L60: astore 7
L62: getstatic Field ReflectionUtils logger Ljava/util/logging/Logger;
L65: getstatic Field java/util/logging/Level SEVERE Ljava/util/logging/Level;
L68: aconst_null
L69: aload 7
L71: invokevirtual Method java/util/logging/Logger log (Ljava/util/logging/Level;Ljava/lang/String;Ljava/lang/Throwable;)V
L74: goto L108
.stack stack_1 Object java/lang/reflect/InvocationTargetException
L77: astore 7
L79: getstatic Field ReflectionUtils logger Ljava/util/logging/Logger;
L82: getstatic Field java/util/logging/Level SEVERE Ljava/util/logging/Level;
L85: aconst_null
L86: aload 7
L88: invokevirtual Method java/util/logging/Logger log [u147]
L91: goto L108
.stack stack_1 Object java/lang/IllegalAccessException
L94: astore 7
L96: getstatic Field ReflectionUtils logger Ljava/util/logging/Logger;
L99: getstatic Field java/util/logging/Level SEVERE Ljava/util/logging/Level;
L102: aconst_null
L103: aload 7
L105: invokevirtual Method java/util/logging/Logger log [u147]
.stack same
L108: return
L109:
.linenumbertable
L0 116
L8 117
L9 120
L15 121
L21 122
L29 124
L37 127
L42 128
L43 131
L48 132
L57 139
L60 133
L62 134
L74 139
L77 135
L79 136
L91 139
L94 137
L96 138
L108 140
.end linenumbertable
.end code
.end method
.method public getMethod : (Ljava/lang/String;Ljava/lang/Object;)Ljava/lang/reflect/Method;
.code stack 4 locals 6
L0: aconst_null
L1: astore_3
L2: new java/lang/StringBuilder
L5: dup
L6: invokespecial Method java/lang/StringBuilder <init> ()V
L9: aload_2
L10: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L13: invokevirtual Method java/lang/Class getName ()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_1
L25: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L28: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L31: astore 4
L33: getstatic Field ReflectionUtils cache Ljava/util/Map;
L36: aload 4
L38: invokeinterface InterfaceMethod java/util/Map containsKey (Ljava/lang/Object;)Z 2
L43: ifeq L60
L46: getstatic Field ReflectionUtils cache Ljava/util/Map;
L49: aload 4
L51: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2
L56: checkcast java/lang/reflect/Method
L59: astore_3
.catch java/lang/SecurityException from L60 to L83 using L86
.stack append Object java/lang/reflect/Method Object java/lang/String
L60: aload_3
L61: ifnonnull L83
L64: aload_0
L65: aload_1
L66: aload_2
L67: invokevirtual Method ReflectionUtils findMethod (Ljava/lang/String;Ljava/lang/Object;)Ljava/lang/reflect/Method;
L70: astore_3
L71: getstatic Field ReflectionUtils cache Ljava/util/Map;
L74: aload 4
L76: aload_3
L77: invokeinterface InterfaceMethod java/util/Map put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; 3
L82: pop
.stack same
L83: goto L100
.stack stack_1 Object java/lang/SecurityException
L86: astore 5
L88: getstatic Field ReflectionUtils logger Ljava/util/logging/Logger;
L91: getstatic Field java/util/logging/Level SEVERE Ljava/util/logging/Level;
L94: aconst_null
L95: aload 5
L97: invokevirtual Method java/util/logging/Logger log [u147]
.stack same
L100: aload_3
L101: areturn
L102:
.linenumbertable
L0 143
L2 144
L33 146
L46 147
L60 151
L64 152
L71 153
L83 157
L86 155
L88 156
L100 159
.end linenumbertable
.end code
.end method
.method public findMethod : (Ljava/lang/String;Ljava/lang/Object;)Ljava/lang/reflect/Method;
.code stack 2 locals 6
L0: aload_2
L1: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L4: invokevirtual Method java/lang/Class getMethods ()[Ljava/lang/reflect/Method;
L7: astore_3
L8: aconst_null
L9: astore 4
L11: iconst_0
L12: istore 5
.stack append Object [Ljava/lang/reflect/Method; Object java/lang/reflect/Method Integer
L14: iload 5
L16: aload_3
L17: arraylength
L18: if_icmpge L50
L21: aload_3
L22: iload 5
L24: aaload
L25: invokevirtual Method java/lang/reflect/Method getName ()Ljava/lang/String;
L28: aload_1
L29: invokevirtual Method java/lang/String equalsIgnoreCase (Ljava/lang/String;)Z
L32: ifeq L44
L35: aload_3
L36: iload 5
L38: aaload
L39: astore 4
L41: goto L50
.stack same
L44: iinc 5 1
L47: goto L14
.stack chop 1
L50: aload 4
L52: areturn
L53:
.linenumbertable
L0 163
L8 164
L11 165
L21 166
L35 167
L41 168
L44 165
L50 171
.end linenumbertable
.end code
.end method
.method public getMethodAnnotation : (Ljava/lang/String;Ljava/lang/Object;Ljava/lang/Class;)Ljava/lang/annotation/Annotation;
.code stack 3 locals 6
L0: aload_0
L1: aload_1
L2: aload_2
L3: invokevirtual Method ReflectionUtils findMethod (Ljava/lang/String;Ljava/lang/Object;)Ljava/lang/reflect/Method;
L6: astore 4
L8: aconst_null
L9: astore 5
L11: aload 4
L13: aload_3
L14: invokevirtual Method java/lang/reflect/Method isAnnotationPresent (Ljava/lang/Class;)Z
L17: ifeq L28
L20: aload 4
L22: aload_3
L23: invokevirtual Method java/lang/reflect/Method getAnnotation (Ljava/lang/Class;)Ljava/lang/annotation/Annotation;
L26: astore 5
.stack append Object java/lang/reflect/Method Object java/lang/annotation/Annotation
L28: aload 5
L30: areturn
L31:
.linenumbertable
L0 176
L8 177
L11 178
L20 179
L28 181
.end linenumbertable
.end code
.end method
.method public getMethodAnnotation : (Ljava/lang/reflect/Method;Ljava/lang/Class;)Ljava/lang/annotation/Annotation;
.code stack 2 locals 4
L0: aconst_null
L1: astore_3
L2: aload_1
L3: aload_2
L4: invokevirtual Method java/lang/reflect/Method isAnnotationPresent (Ljava/lang/Class;)Z
L7: ifeq L16
L10: aload_1
L11: aload_2
L12: invokevirtual Method java/lang/reflect/Method getAnnotation (Ljava/lang/Class;)Ljava/lang/annotation/Annotation;
L15: astore_3
.stack append Object java/lang/annotation/Annotation
L16: aload_3
L17: areturn
L18:
.linenumbertable
L0 186
L2 187
L10 188
L16 190
.end linenumbertable
.end code
.end method
.method public getClassAnnotation : (Ljava/lang/Object;Ljava/lang/Class;)Ljava/lang/annotation/Annotation;
.code stack 2 locals 4
L0: aload_1
L1: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L4: aload_2
L5: invokevirtual Method java/lang/Class getAnnotation (Ljava/lang/Class;)Ljava/lang/annotation/Annotation;
L8: astore_3
L9: aload_3
L10: areturn
L11:
.linenumbertable
L0 194
L9 195
.end linenumbertable
.end code
.end method
.method public getMethods : (Ljava/lang/Object;)[Ljava/lang/reflect/Method;
.code stack 1 locals 2
L0: aload_1
L1: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L4: invokevirtual Method java/lang/Class getMethods ()[Ljava/lang/reflect/Method;
L7: areturn
L8:
.linenumbertable
L0 199
.end linenumbertable
.end code
.end method
.method public getDeclaredMethods : (Ljava/lang/Object;)[Ljava/lang/reflect/Method;
.code stack 1 locals 2
L0: aload_1
L1: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L4: invokevirtual Method java/lang/Class getDeclaredMethods ()[Ljava/lang/reflect/Method;
L7: areturn
L8:
.linenumbertable
L0 204
.end linenumbertable
.end code
.end method
.method public getDeclaredFields : (Ljava/lang/Object;)[Ljava/lang/reflect/Field;
.code stack 1 locals 2
L0: aload_1
L1: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L4: invokevirtual Method java/lang/Class getDeclaredFields ()[Ljava/lang/reflect/Field;
L7: areturn
L8:
.linenumbertable
L0 208
.end linenumbertable
.end code
.end method
.method public getProperties : (Ljava/lang/Object;)[Ljava/beans/PropertyDescriptor;
.code stack 4 locals 4
L0: aconst_null
L1: astore_2
.catch java/beans/IntrospectionException from L2 to L15 using L18
L2: aload_1
L3: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L6: invokestatic Method java/beans/Introspector getBeanInfo (Ljava/lang/Class;)Ljava/beans/BeanInfo;
L9: invokeinterface InterfaceMethod java/beans/BeanInfo getPropertyDescriptors ()[Ljava/beans/PropertyDescriptor; 1
L14: astore_2
L15: goto L30
.stack full
locals Object ReflectionUtils Object java/lang/Object Object [Ljava/beans/PropertyDescriptor;
stack Object java/beans/IntrospectionException
.end stack
L18: astore_3
L19: getstatic Field ReflectionUtils logger Ljava/util/logging/Logger;
L22: getstatic Field java/util/logging/Level SEVERE Ljava/util/logging/Level;
L25: aconst_null
L26: aload_3
L27: invokevirtual Method java/util/logging/Logger log [u147]
.stack same
L30: aload_2
L31: areturn
L32:
.linenumbertable
L0 212
L2 214
L15 217
L18 215
L19 216
L30 219
.end linenumbertable
.end code
.end method
.method public hasAnnotation : (Ljava/lang/Object;Ljava/lang/Class;)Z
.code stack 2 locals 3
L0: aload_1
L1: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L4: aload_2
L5: invokevirtual Method java/lang/Class isAnnotationPresent (Ljava/lang/Class;)Z
L8: ireturn
L9:
.linenumbertable
L0 223
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 3 locals 0
L0: new java/util/concurrent/ConcurrentHashMap
L3: dup
L4: bipush 100
L6: invokespecial Method java/util/concurrent/ConcurrentHashMap <init> (I)V
L9: putstatic Field ReflectionUtils cache Ljava/util/Map;
L12: ldc Class ReflectionUtils
L14: invokevirtual Method java/lang/Class getName ()Ljava/lang/String;
L17: invokestatic Method java/util/logging/Logger getLogger (Ljava/lang/String;)Ljava/util/logging/Logger;
L20: putstatic Field ReflectionUtils logger Ljava/util/logging/Logger;
L23: return
L24:
.linenumbertable
L0 45
L12 46
.end linenumbertable
.end code
.end method
.sourcefile 'ReflectionUtils.java'
.const [u147] = Utf8 (Ljava/util/logging/Level;Ljava/lang/String;Ljava/lang/Throwable;)V
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 22:43:01 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.beans.PropertyDescriptor;
import java.lang.annotation.Annotation;
import java.lang.reflect.Field;
import java.lang.reflect.Method;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class ReflectionUtils_ESTest extends ReflectionUtils_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ReflectionUtils reflectionUtils0 = new ReflectionUtils();
Class<String> class0 = String.class;
// Undeclared exception!
try {
reflectionUtils0.getMethodAnnotation("", (Object) "", (Class) class0);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("ReflectionUtils", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
ReflectionUtils reflectionUtils0 = new ReflectionUtils();
Object object0 = new Object();
Field[] fieldArray0 = reflectionUtils0.getDeclaredFields(object0);
assertEquals(0, fieldArray0.length);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
ReflectionUtils reflectionUtils0 = new ReflectionUtils();
Method method0 = reflectionUtils0.findMethod("", ".Es:TT");
assertNull(method0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
ReflectionUtils reflectionUtils0 = new ReflectionUtils();
reflectionUtils0.invokeSetter("0{.PT", (Object) "0{.PT", (Object) null);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
ReflectionUtils reflectionUtils0 = new ReflectionUtils();
Field[] fieldArray0 = reflectionUtils0.getDeclaredFields(reflectionUtils0);
// // Unstable assertion: assertEquals(3, fieldArray0.length);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
ReflectionUtils reflectionUtils0 = new ReflectionUtils();
Method[] methodArray0 = reflectionUtils0.getDeclaredMethods("/FlnT</=9fr|=P}");
assertEquals(77, methodArray0.length);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
ReflectionUtils reflectionUtils0 = new ReflectionUtils();
Class<Annotation> class0 = Annotation.class;
Annotation annotation0 = reflectionUtils0.getClassAnnotation("", class0);
assertNull(annotation0);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
ReflectionUtils reflectionUtils0 = new ReflectionUtils();
Object object0 = new Object();
PropertyDescriptor[] propertyDescriptorArray0 = reflectionUtils0.getProperties(object0);
assertEquals(1, propertyDescriptorArray0.length);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 22:43:01 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class ReflectionUtils_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ReflectionUtils";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmprwkxnn7y");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ReflectionUtils_ESTest_scaffolding.class.getClassLoader() ,
"ReflectionUtils"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ReflectionUtils_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ReflectionUtils"
);
}
}
| 12,100 |
DSA | /*
* Copyright (C) 2022 Dominik Schadow, dominikschadow@gmail.com
*
* This file is part of the Java Security project.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
import java.nio.charset.StandardCharsets;
import java.security.*;
/**
* Digital signature sample with plain Java. Loads the DSA key from the sample keystore, signs and
* verifies sample text with it.
*
* <p>Uses Google Guava to hex the encrypted message as readable format.
*
* @author Dominik Schadow
*/
public class DSA {
private static final String ALGORITHM = "SHA1withDSA";
public byte[] sign(PrivateKey privateKey, String initialText)
throws NoSuchAlgorithmException, InvalidKeyException, SignatureException {
Signature dsa = Signature.getInstance(ALGORITHM);
dsa.initSign(privateKey);
dsa.update(initialText.getBytes(StandardCharsets.UTF_8));
return dsa.sign();
}
public boolean verify(PublicKey publicKey, byte[] signature, String initialText)
throws NoSuchAlgorithmException, InvalidKeyException, SignatureException {
Signature dsa = Signature.getInstance(ALGORITHM);
dsa.initVerify(publicKey);
dsa.update(initialText.getBytes(StandardCharsets.UTF_8));
return dsa.verify(signature);
}
}
| .version 52 0
.class public super DSA
.super java/lang/Object
.field private static final ALGORITHM Ljava/lang/String; = 'SHA1withDSA'
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 31
.end linenumbertable
.end code
.end method
.method public sign : (Ljava/security/PrivateKey;Ljava/lang/String;)[B
.code stack 3 locals 4
L0: ldc 'SHA1withDSA'
L2: invokestatic Method java/security/Signature getInstance (Ljava/lang/String;)Ljava/security/Signature;
L5: astore_3
L6: aload_3
L7: aload_1
L8: invokevirtual Method java/security/Signature initSign (Ljava/security/PrivateKey;)V
L11: aload_3
L12: aload_2
L13: getstatic Field java/nio/charset/StandardCharsets UTF_8 Ljava/nio/charset/Charset;
L16: invokevirtual Method java/lang/String getBytes (Ljava/nio/charset/Charset;)[B
L19: invokevirtual Method java/security/Signature update ([B)V
L22: aload_3
L23: invokevirtual Method java/security/Signature sign ()[B
L26: areturn
L27:
.linenumbertable
L0 36
L6 37
L11 38
L22 39
.end linenumbertable
.end code
.exceptions java/security/NoSuchAlgorithmException java/security/InvalidKeyException java/security/SignatureException
.end method
.method public verify : (Ljava/security/PublicKey;[BLjava/lang/String;)Z
.code stack 3 locals 5
L0: ldc 'SHA1withDSA'
L2: invokestatic Method java/security/Signature getInstance (Ljava/lang/String;)Ljava/security/Signature;
L5: astore 4
L7: aload 4
L9: aload_1
L10: invokevirtual Method java/security/Signature initVerify (Ljava/security/PublicKey;)V
L13: aload 4
L15: aload_3
L16: getstatic Field java/nio/charset/StandardCharsets UTF_8 Ljava/nio/charset/Charset;
L19: invokevirtual Method java/lang/String getBytes (Ljava/nio/charset/Charset;)[B
L22: invokevirtual Method java/security/Signature update ([B)V
L25: aload 4
L27: aload_2
L28: invokevirtual Method java/security/Signature verify ([B)Z
L31: ireturn
L32:
.linenumbertable
L0 44
L7 45
L13 46
L25 47
.end linenumbertable
.end code
.exceptions java/security/NoSuchAlgorithmException java/security/InvalidKeyException java/security/SignatureException
.end method
.sourcefile 'DSA.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 14:53:37 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.security.InvalidKeyException;
import java.security.PrivateKey;
import java.security.PublicKey;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class DSA_ESTest extends DSA_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
DSA dSA0 = new DSA();
byte[] byteArray0 = new byte[0];
try {
dSA0.verify((PublicKey) null, byteArray0, "]");
fail("Expecting exception: InvalidKeyException");
} catch(InvalidKeyException e) {
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
DSA dSA0 = new DSA();
try {
dSA0.sign((PrivateKey) null, "");
fail("Expecting exception: InvalidKeyException");
} catch(InvalidKeyException e) {
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 14:53: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 DSA_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "DSA";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpi9786o3d");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DSA_ESTest_scaffolding.class.getClassLoader() ,
"DSA"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DSA_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"DSA"
);
}
}
| 12,101 |
MathUtils | public class MathUtils {
public static boolean isEven(long number) {
return number % 2l == 0;
}
public static boolean isPrime(long number) {
boolean is = false;
if (number > 0) {
if (number == 1 || number == 2) {
is = true;
} else if (!isEven(number)) {
boolean hasFactor = false;
for (int factor = 3; factor <= number / 3; factor++) {
if (number % factor == 0) {
hasFactor = true;
break;
}
}
is = !hasFactor;
}
}
return is;
}
/**
* Prime is a number that can be divided by 1 and itself.
*
* @param number
* @return
*/
public static long nextPrime(long number) {
long next = 0;
if (number >= 0) {
next = number;
do {
next++;
} while (!isPrime(next));
}
return next;
}
/**
* Palindromic is a number that can be read equally in both direction 11, 22, 33, 44, 55, 66, 77,
* 88, 99 101, 111, 202 ... 999 It is using module but we can also use StringBuilder.reverse
*
* @param candidate
* @return
*/
public static boolean isPalindromic(long candidate) {
return candidate == reverse(candidate);
}
public static long reverse(long candidate) {
long reverse = 0;
long clone = candidate;
while (clone != 0) {
long remainder = clone % 10;
reverse = reverse * 10 + remainder;
clone = clone / 10;
}
return reverse;
}
}
| .version 52 0
.class public super MathUtils
.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 isEven : (J)Z
.code stack 4 locals 2
L0: lload_0
L1: ldc2_w 2L
L4: lrem
L5: lconst_0
L6: lcmp
L7: ifne L14
L10: iconst_1
L11: goto L15
.stack same
L14: iconst_0
.stack stack_1 Integer
L15: ireturn
L16:
.linenumbertable
L0 7
.end linenumbertable
.end code
.end method
.method public static isPrime : (J)Z
.code stack 6 locals 5
L0: iconst_0
L1: istore_2
L2: lload_0
L3: lconst_0
L4: lcmp
L5: ifle L82
L8: lload_0
L9: lconst_1
L10: lcmp
L11: ifeq L22
L14: lload_0
L15: ldc2_w 2L
L18: lcmp
L19: ifne L27
.stack append Integer
L22: iconst_1
L23: istore_2
L24: goto L82
.stack same
L27: lload_0
L28: invokestatic Method MathUtils isEven (J)Z
L31: ifne L82
L34: iconst_0
L35: istore_3
L36: iconst_3
L37: istore 4
.stack append Integer Integer
L39: iload 4
L41: i2l
L42: lload_0
L43: ldc2_w 3L
L46: ldiv
L47: lcmp
L48: ifgt L72
L51: lload_0
L52: iload 4
L54: i2l
L55: lrem
L56: lconst_0
L57: lcmp
L58: ifne L66
L61: iconst_1
L62: istore_3
L63: goto L72
.stack same
L66: iinc 4 1
L69: goto L39
.stack chop 1
L72: iload_3
L73: ifne L80
L76: iconst_1
L77: goto L81
.stack same
L80: iconst_0
.stack stack_1 Integer
L81: istore_2
.stack chop 1
L82: iload_2
L83: ireturn
L84:
.linenumbertable
L0 11
L2 12
L8 13
L22 14
L27 15
L34 16
L36 17
L51 18
L61 19
L63 20
L66 17
L72 23
L82 26
.end linenumbertable
.end code
.end method
.method public static nextPrime : (J)J
.code stack 4 locals 4
L0: lconst_0
L1: lstore_2
L2: lload_0
L3: lconst_0
L4: lcmp
L5: iflt L21
L8: lload_0
L9: lstore_2
.stack append Long
L10: lload_2
L11: lconst_1
L12: ladd
L13: lstore_2
L14: lload_2
L15: invokestatic Method MathUtils isPrime (J)Z
L18: ifeq L10
.stack same
L21: lload_2
L22: lreturn
L23:
.linenumbertable
L0 36
L2 37
L8 38
L10 40
L14 41
L21 44
.end linenumbertable
.end code
.end method
.method public static isPalindromic : (J)Z
.code stack 4 locals 2
L0: lload_0
L1: lload_0
L2: invokestatic Method MathUtils reverse (J)J
L5: lcmp
L6: ifne L13
L9: iconst_1
L10: goto L14
.stack same
L13: iconst_0
.stack stack_1 Integer
L14: ireturn
L15:
.linenumbertable
L0 58
.end linenumbertable
.end code
.end method
.method public static reverse : (J)J
.code stack 4 locals 8
L0: lconst_0
L1: lstore_2
L2: lload_0
L3: lstore 4
.stack append Long Long
L5: lload 4
L7: lconst_0
L8: lcmp
L9: ifeq L40
L12: lload 4
L14: ldc2_w 10L
L17: lrem
L18: lstore 6
L20: lload_2
L21: ldc2_w 10L
L24: lmul
L25: lload 6
L27: ladd
L28: lstore_2
L29: lload 4
L31: ldc2_w 10L
L34: ldiv
L35: lstore 4
L37: goto L5
.stack same
L40: lload_2
L41: lreturn
L42:
.linenumbertable
L0 62
L2 63
L5 64
L12 65
L20 66
L29 67
L37 68
L40 69
.end linenumbertable
.end code
.end method
.sourcefile 'MathUtils.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 22:31:19 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 MathUtils_ESTest extends MathUtils_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
MathUtils.isPrime((-45875L));
MathUtils mathUtils0 = new MathUtils();
MathUtils.isPalindromic(0L);
MathUtils.reverse(4621L);
MathUtils.isPalindromic((-5954L));
MathUtils.nextPrime((-45875L));
MathUtils.isEven(0L);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
MathUtils.isPrime(3L);
MathUtils.reverse(3L);
MathUtils.isPalindromic(0L);
MathUtils.isPalindromic(0L);
MathUtils.isEven(0L);
MathUtils.reverse(3290L);
MathUtils.isEven(3L);
MathUtils.reverse(923L);
MathUtils.reverse(0L);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
MathUtils mathUtils0 = new MathUtils();
MathUtils.reverse(7512L);
MathUtils.isEven(7512L);
MathUtils.nextPrime(19636L);
MathUtils.isPrime(7512L);
MathUtils.isPrime(19636L);
MathUtils.isPalindromic(3L);
MathUtils.nextPrime(3L);
MathUtils.isPrime(7512L);
MathUtils.reverse(2157L);
MathUtils.isEven((-46844L));
MathUtils.isEven(19636L);
MathUtils.isEven(1L);
MathUtils.nextPrime(5L);
MathUtils.reverse(19661L);
MathUtils.nextPrime((-55229L));
// Undeclared exception!
MathUtils.nextPrime(19661L);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
MathUtils.reverse(0L);
MathUtils.reverse(0L);
MathUtils.reverse(0L);
MathUtils.nextPrime((-39715L));
MathUtils.reverse((-39715L));
MathUtils.isPalindromic((-51793L));
MathUtils.reverse((-1L));
MathUtils.isPalindromic(0L);
MathUtils.isEven(0L);
MathUtils.isPalindromic(0L);
MathUtils.nextPrime(10166L);
MathUtils.isPalindromic(0L);
MathUtils mathUtils0 = new MathUtils();
MathUtils.isPalindromic(0L);
MathUtils.isPalindromic(0L);
// Undeclared exception!
MathUtils.nextPrime(26310L);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
MathUtils.isEven(1L);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
MathUtils mathUtils0 = new MathUtils();
MathUtils.isPalindromic(0L);
MathUtils.isEven(0L);
MathUtils.isEven((-17461L));
MathUtils.reverse(0L);
MathUtils.isPalindromic(0L);
MathUtils.isPrime((-1L));
}
@Test(timeout = 4000)
public void test6() throws Throwable {
MathUtils.isPalindromic((-6044L));
MathUtils.reverse((-1L));
MathUtils.isPalindromic((-6044L));
MathUtils.nextPrime((-6044L));
MathUtils.isPrime(0L);
MathUtils.isPalindromic(0L);
MathUtils mathUtils0 = new MathUtils();
MathUtils.reverse(10L);
MathUtils.reverse(17281L);
MathUtils.isPrime((-39116L));
MathUtils.reverse(0L);
MathUtils.isPrime(15888L);
MathUtils.isPalindromic(77339L);
MathUtils.reverse(0L);
MathUtils.nextPrime((-6044L));
MathUtils.isPalindromic((-6044L));
MathUtils.isPrime(0L);
MathUtils.isPrime(17281L);
MathUtils.reverse((-1L));
MathUtils.nextPrime(0L);
MathUtils.isPrime(65354L);
MathUtils.nextPrime(0L);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
MathUtils.nextPrime((-13755L));
MathUtils.isPalindromic(23658L);
MathUtils mathUtils0 = new MathUtils();
MathUtils.reverse(23658L);
MathUtils.isPalindromic(85632L);
MathUtils.reverse(62079L);
long long0 = 34673L;
// Undeclared exception!
MathUtils.isPrime(34673L);
}
@Test(timeout = 4000)
public void test8() throws Throwable {
long long0 = 0L;
MathUtils.reverse(0L);
MathUtils.reverse(0L);
MathUtils mathUtils0 = new MathUtils();
// Undeclared exception!
MathUtils.nextPrime(77323L);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 22:31:19 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class MathUtils_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "MathUtils";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpc9thhtde");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MathUtils_ESTest_scaffolding.class.getClassLoader() ,
"MathUtils"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MathUtils_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MathUtils"
);
}
}
| 12,102 |
IabConstants | /** Created by Bernat on 20/08/2014. */
public class IabConstants {
public static final String KEY =
"MIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEAj2bBQn2Mf7VzGojQhoLBeD3/Uc1UJk1YQ7VEugf/B8Ie6IF9F/M7aqlLMrTMpK17XZD0bHop9Tn+LQ+o8UfAQxOU5lwSDcvyANmqYfUWDhI9VmCTWRs4uRGiQ3R87OeMnNM79hTGhHQ5OGXuDSgMNe42pbEmljw/q2JD8oZEOHulJfjq/rFTv/70loVTv+uDgpn6HH54nH+qTPM76fOwlpIasOBxFH93jNuspZ5CgxOeZ3xdEtMU0bb+x34LOWznXxAFAIkgxIkBORCbfqbGtZKwdz3GW2i921mrTGkPHleU2c51RPEC9T99459RQD242SBIWO0KMRsfHLv9btmxlwIDAQAB";
public static final String SKU_DONATE = "gitskarios_donate_inapp";
}
| .version 52 0
.class public super IabConstants
.super java/lang/Object
.field public static final KEY Ljava/lang/String; = [s7]
.field public static final SKU_DONATE Ljava/lang/String; = 'gitskarios_donate_inapp'
.method 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 'IabConstants.java'
.const [s7] = String [u19]
.const [u19] = Utf8 MIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEAj2bBQn2Mf7VzGojQhoLBeD3/Uc1UJk1YQ7VEugf/B8Ie6IF9F/M7aqlLMrTMpK17XZD0bHop9Tn+LQ+o8UfAQxOU5lwSDcvyANmqYfUWDhI9VmCTWRs4uRGiQ3R87OeMnNM79hTGhHQ5OGXuDSgMNe42pbEmljw/q2JD8oZEOHulJfjq/rFTv/70loVTv+uDgpn6HH54nH+qTPM76fOwlpIasOBxFH93jNuspZ5CgxOeZ3xdEtMU0bb+x34LOWznXxAFAIkgxIkBORCbfqbGtZKwdz3GW2i921mrTGkPHleU2c51RPEC9T99459RQD242SBIWO0KMRsfHLv9btmxlwIDAQAB
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 16:03:56 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class IabConstants_ESTest extends IabConstants_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
IabConstants iabConstants0 = new IabConstants();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 16:03:56 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class IabConstants_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "IabConstants";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpup_68isw");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(IabConstants_ESTest_scaffolding.class.getClassLoader() ,
"IabConstants"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(IabConstants_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"IabConstants"
);
}
}
| 12,103 |
ThreadGroupTest | /** Created by sun on 2017/2/7. */
public class ThreadGroupTest {
public static void main(String[] args) {
ThreadGroup rootThreadGroup = new ThreadGroup("root线程组");
Thread thread0 = new Thread(rootThreadGroup, new MRunnable(), "线程A");
Thread thread1 = new Thread(rootThreadGroup, new MRunnable(), "线程B");
thread0.start();
thread1.start();
ThreadGroup threadGroup1 = new ThreadGroup(rootThreadGroup, "子线程组");
Thread thread2 = new Thread(threadGroup1, new MRunnable(), "线程C");
Thread thread3 = new Thread(threadGroup1, new MRunnable(), "线程D");
thread2.start();
thread3.start();
rootThreadGroup.interrupt();
System.out.println("批量中断组内线程");
}
}
class MRunnable implements Runnable {
@Override
public void run() {
while (!Thread.currentThread().isInterrupted()) {
System.out.println(
"线程名: "
+ Thread.currentThread().getName()
+ ", 所在线程组: "
+ Thread.currentThread().getThreadGroup().getName()
+ ", 父线程组: "
+ Thread.currentThread().getThreadGroup().getParent().getName());
try {
Thread.sleep(1000);
} catch (InterruptedException e) {
// e.printStackTrace();
break;
}
}
System.out.println(Thread.currentThread().getName() + "执行结束");
}
}
| .version 52 0
.class public super ThreadGroupTest
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 6
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 5 locals 7
L0: new java/lang/ThreadGroup
L3: dup
L4: ldc 'root线程组'
L6: invokespecial Method java/lang/ThreadGroup <init> (Ljava/lang/String;)V
L9: astore_1
L10: new java/lang/Thread
L13: dup
L14: aload_1
L15: new MRunnable
L18: dup
L19: invokespecial Method MRunnable <init> ()V
L22: ldc '线程A'
L24: invokespecial Method java/lang/Thread <init> (Ljava/lang/ThreadGroup;Ljava/lang/Runnable;Ljava/lang/String;)V
L27: astore_2
L28: new java/lang/Thread
L31: dup
L32: aload_1
L33: new MRunnable
L36: dup
L37: invokespecial Method MRunnable <init> ()V
L40: ldc '线程B'
L42: invokespecial Method java/lang/Thread <init> (Ljava/lang/ThreadGroup;Ljava/lang/Runnable;Ljava/lang/String;)V
L45: astore_3
L46: aload_2
L47: invokevirtual Method java/lang/Thread start ()V
L50: aload_3
L51: invokevirtual Method java/lang/Thread start ()V
L54: new java/lang/ThreadGroup
L57: dup
L58: aload_1
L59: ldc '子线程组'
L61: invokespecial Method java/lang/ThreadGroup <init> (Ljava/lang/ThreadGroup;Ljava/lang/String;)V
L64: astore 4
L66: new java/lang/Thread
L69: dup
L70: aload 4
L72: new MRunnable
L75: dup
L76: invokespecial Method MRunnable <init> ()V
L79: ldc '线程C'
L81: invokespecial Method java/lang/Thread <init> (Ljava/lang/ThreadGroup;Ljava/lang/Runnable;Ljava/lang/String;)V
L84: astore 5
L86: new java/lang/Thread
L89: dup
L90: aload 4
L92: new MRunnable
L95: dup
L96: invokespecial Method MRunnable <init> ()V
L99: ldc '线程D'
L101: invokespecial Method java/lang/Thread <init> (Ljava/lang/ThreadGroup;Ljava/lang/Runnable;Ljava/lang/String;)V
L104: astore 6
L106: aload 5
L108: invokevirtual Method java/lang/Thread start ()V
L111: aload 6
L113: invokevirtual Method java/lang/Thread start ()V
L116: aload_1
L117: invokevirtual Method java/lang/ThreadGroup interrupt ()V
L120: getstatic Field java/lang/System out Ljava/io/PrintStream;
L123: ldc '批量中断组内线程'
L125: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L128: return
L129:
.linenumbertable
L0 8
L10 9
L28 10
L46 11
L50 12
L54 13
L66 14
L86 15
L106 16
L111 17
L116 18
L120 19
L128 20
.end linenumbertable
.end code
.end method
.sourcefile 'ThreadGroupTest.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 00:48:35 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class ThreadGroupTest_ESTest extends ThreadGroupTest_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
// Undeclared exception!
try {
ThreadGroupTest.main((String[]) null);
fail("Expecting exception: NoClassDefFoundError");
} catch(NoClassDefFoundError e) {
//
// MRunnable
//
verifyException("ThreadGroupTest", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
ThreadGroupTest threadGroupTest0 = new ThreadGroupTest();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 00:48: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 ThreadGroupTest_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ThreadGroupTest";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmppkzl8va_");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ThreadGroupTest_ESTest_scaffolding.class.getClassLoader() ,
"ThreadGroupTest"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ThreadGroupTest_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ThreadGroupTest"
);
}
}
| 12,104 |
FitStringInTwentyChars | import java.util.Scanner;
public class FitStringInTwentyChars {
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
String text = scanner.nextLine();
int length = 20;
if (text.length() >= 20) {
text = text.substring(0, 20);
} else {
text = text + starDrawing("*", length - text.length());
}
System.out.println(text);
}
public static String starDrawing(String symbol, int repeatCount) {
String output = "";
for (int i = 0; i < repeatCount; i++) {
output += symbol;
}
return output;
}
}
| .version 52 0
.class public super FitStringInTwentyChars
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 3
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 4 locals 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: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String;
L15: astore_2
L16: bipush 20
L18: istore_3
L19: aload_2
L20: invokevirtual Method java/lang/String length ()I
L23: bipush 20
L25: if_icmplt L39
L28: aload_2
L29: iconst_0
L30: bipush 20
L32: invokevirtual Method java/lang/String substring (II)Ljava/lang/String;
L35: astore_2
L36: goto L68
.stack append Object java/util/Scanner Object java/lang/String Integer
L39: new java/lang/StringBuilder
L42: dup
L43: invokespecial Method java/lang/StringBuilder <init> ()V
L46: aload_2
L47: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L50: ldc '*'
L52: iload_3
L53: aload_2
L54: invokevirtual Method java/lang/String length ()I
L57: isub
L58: invokestatic Method FitStringInTwentyChars starDrawing (Ljava/lang/String;I)Ljava/lang/String;
L61: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L64: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L67: astore_2
.stack same
L68: getstatic Field java/lang/System out Ljava/io/PrintStream;
L71: aload_2
L72: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L75: return
L76:
.linenumbertable
L0 5
L11 7
L16 8
L19 10
L28 11
L39 13
L68 16
L75 17
.end linenumbertable
.end code
.end method
.method public static starDrawing : (Ljava/lang/String;I)Ljava/lang/String;
.code stack 2 locals 4
L0: ldc ''
L2: astore_2
L3: iconst_0
L4: istore_3
.stack append Object java/lang/String Integer
L5: iload_3
L6: iload_1
L7: if_icmpge L35
L10: new java/lang/StringBuilder
L13: dup
L14: invokespecial Method java/lang/StringBuilder <init> ()V
L17: aload_2
L18: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L21: aload_0
L22: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L25: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L28: astore_2
L29: iinc 3 1
L32: goto L5
.stack chop 1
L35: aload_2
L36: areturn
L37:
.linenumbertable
L0 20
L3 22
L10 23
L29 22
L35 25
.end linenumbertable
.end code
.end method
.sourcefile 'FitStringInTwentyChars.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 04:10:16 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.util.NoSuchElementException;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class FitStringInTwentyChars_ESTest extends FitStringInTwentyChars_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[5];
// Undeclared exception!
try {
FitStringInTwentyChars.main(stringArray0);
fail("Expecting exception: NoSuchElementException");
} catch(NoSuchElementException e) {
//
// No line found
//
verifyException("java.util.Scanner", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
String string0 = FitStringInTwentyChars.starDrawing("cz7Rb", 1);
assertEquals("cz7Rb", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
String string0 = FitStringInTwentyChars.starDrawing("", 1);
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
FitStringInTwentyChars.starDrawing("2J", (-33850));
FitStringInTwentyChars.starDrawing("", 1);
FitStringInTwentyChars fitStringInTwentyChars0 = new FitStringInTwentyChars();
String[] stringArray0 = new String[2];
// Undeclared exception!
try {
FitStringInTwentyChars.main(stringArray0);
fail("Expecting exception: NoSuchElementException");
} catch(NoSuchElementException e) {
//
// No line found
//
verifyException("java.util.Scanner", e);
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 04:10: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 FitStringInTwentyChars_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "FitStringInTwentyChars";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
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/tmpj8z4a07c");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(FitStringInTwentyChars_ESTest_scaffolding.class.getClassLoader() ,
"FitStringInTwentyChars"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(FitStringInTwentyChars_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"FitStringInTwentyChars"
);
}
}
| 12,105 |
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 13:55:25 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class BuildConfig_ESTest extends BuildConfig_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
BuildConfig buildConfig0 = new BuildConfig();
assertTrue(BuildConfig.DEBUG);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 13:55:25 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class BuildConfig_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "BuildConfig";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp8lplulsu");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.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"
);
}
}
| 12,106 |
ArraysMerging | /**
* Class ArrayMerging merges the arrays in one array.
*
* @author Prokopov Artem
* @since 28.03.2017
* @version 1.0
*/
public class ArraysMerging {
/**
* The method merges arrays.
*
* @param arrayOne - the first array to merge.
* @param arrayTwo - the second array to merge
* @return connected array.
*/
public int[] merge(int[] arrayOne, int[] arrayTwo) {
int[] mergeArray = new int[arrayOne.length + arrayTwo.length];
int i = 0, j = 0;
while (i + j < mergeArray.length) {
if (i < arrayOne.length && j < arrayTwo.length) {
if (arrayOne[i] < arrayTwo[j]) {
mergeArray[i + j] = arrayOne[i];
i++;
} else {
mergeArray[i + j] = arrayTwo[j];
j++;
}
}
if (i == arrayOne.length && j < arrayTwo.length) {
mergeArray[i + j] = arrayTwo[j];
j++;
}
if (j == arrayTwo.length && i < arrayOne.length) {
mergeArray[i + j] = arrayOne[i];
i++;
}
}
return mergeArray;
}
}
| .version 52 0
.class public super ArraysMerging
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 9
.end linenumbertable
.end code
.end method
.method public merge : ([I[I)[I
.code stack 4 locals 6
L0: aload_1
L1: arraylength
L2: aload_2
L3: arraylength
L4: iadd
L5: newarray int
L7: astore_3
L8: iconst_0
L9: istore 4
L11: iconst_0
L12: istore 5
.stack append Object [I Integer Integer
L14: iload 4
L16: iload 5
L18: iadd
L19: aload_3
L20: arraylength
L21: if_icmpge L139
L24: iload 4
L26: aload_1
L27: arraylength
L28: if_icmpge L80
L31: iload 5
L33: aload_2
L34: arraylength
L35: if_icmpge L80
L38: aload_1
L39: iload 4
L41: iaload
L42: aload_2
L43: iload 5
L45: iaload
L46: if_icmpge L66
L49: aload_3
L50: iload 4
L52: iload 5
L54: iadd
L55: aload_1
L56: iload 4
L58: iaload
L59: iastore
L60: iinc 4 1
L63: goto L80
.stack same
L66: aload_3
L67: iload 4
L69: iload 5
L71: iadd
L72: aload_2
L73: iload 5
L75: iaload
L76: iastore
L77: iinc 5 1
.stack same
L80: iload 4
L82: aload_1
L83: arraylength
L84: if_icmpne L108
L87: iload 5
L89: aload_2
L90: arraylength
L91: if_icmpge L108
L94: aload_3
L95: iload 4
L97: iload 5
L99: iadd
L100: aload_2
L101: iload 5
L103: iaload
L104: iastore
L105: iinc 5 1
.stack same
L108: iload 5
L110: aload_2
L111: arraylength
L112: if_icmpne L14
L115: iload 4
L117: aload_1
L118: arraylength
L119: if_icmpge L14
L122: aload_3
L123: iload 4
L125: iload 5
L127: iadd
L128: aload_1
L129: iload 4
L131: iaload
L132: iastore
L133: iinc 4 1
L136: goto L14
.stack same
L139: aload_3
L140: areturn
L141:
.linenumbertable
L0 17
L8 18
L14 19
L24 20
L38 21
L49 22
L60 23
L66 25
L77 26
L80 29
L94 30
L105 31
L108 33
L122 34
L133 35
L139 38
.end linenumbertable
.end code
.end method
.sourcefile 'ArraysMerging.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 06:30:49 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class ArraysMerging_ESTest extends ArraysMerging_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ArraysMerging arraysMerging0 = new ArraysMerging();
int[] intArray0 = new int[7];
intArray0[0] = 7753;
intArray0[1] = 0;
intArray0[2] = 0;
intArray0[3] = 0;
intArray0[4] = 1;
intArray0[5] = 15113;
intArray0[6] = 0;
int[] intArray1 = arraysMerging0.merge(intArray0, intArray0);
int[] intArray2 = arraysMerging0.merge(intArray0, intArray1);
int[] intArray3 = arraysMerging0.merge(intArray1, intArray2);
int[] intArray4 = arraysMerging0.merge(intArray2, intArray0);
int[] intArray5 = arraysMerging0.merge(intArray0, intArray1);
arraysMerging0.merge(intArray2, intArray5);
arraysMerging0.merge(intArray3, intArray4);
int[] intArray6 = arraysMerging0.merge(intArray0, intArray1);
arraysMerging0.merge(intArray6, intArray5);
assertEquals(14, intArray1.length);
assertEquals(21, intArray6.length);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
ArraysMerging arraysMerging0 = new ArraysMerging();
int[] intArray0 = new int[2];
int int0 = 17492;
intArray0[0] = 17492;
int int1 = 62596;
intArray0[1] = 62596;
arraysMerging0.merge(intArray0, intArray0);
int[] intArray1 = null;
// Undeclared exception!
try {
arraysMerging0.merge(intArray0, (int[]) null);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 06:30: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 ArraysMerging_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ArraysMerging";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp2cd5kobu");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ArraysMerging_ESTest_scaffolding.class.getClassLoader() ,
"ArraysMerging"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ArraysMerging_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ArraysMerging"
);
}
}
| 12,107 |
SMSConstant | /** Created by wudebin on 2015/4/21. */
public class SMSConstant {
public static final String APP_KEY = "6e1a1485487c";
public static final String APP_SECRET = "04dd2b72286435ce949a831bbbf8d768";
}
| .version 52 0
.class public super SMSConstant
.super java/lang/Object
.field public static final APP_KEY Ljava/lang/String; = '6e1a1485487c'
.field public static final APP_SECRET Ljava/lang/String; = '04dd2b72286435ce949a831bbbf8d768'
.method 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 'SMSConstant.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 04:28: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 SMSConstant_ESTest extends SMSConstant_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
SMSConstant sMSConstant0 = new SMSConstant();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 04:28: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 SMSConstant_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "SMSConstant";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.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_l7xbafw");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SMSConstant_ESTest_scaffolding.class.getClassLoader() ,
"SMSConstant"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SMSConstant_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"SMSConstant"
);
}
}
| 12,108 |
Color | public class Color {
public float Red = 0f;
public float Green = 0f;
public float Blue = 0f;
public float Alpha = 1f;
public static Color RED = new Color(1f, 0f, 0f);
public static Color GREEN = new Color(0f, 1f, 0f);
public static Color BLUE = new Color(0f, 0f, 1f);
public static Color YELLOW = new Color(1f, 1f, 0f);
public static Color PINK = new Color(1f, 0f, 1f);
public static Color CYAN = new Color(0f, 1f, 1f);
public static Color BLACK = new Color(0f, 0f, 0f);
public static Color WHITE = new Color(1f, 1f, 1f);
public Color() {}
public Color(float r, float g, float b) {
Red = r;
Green = g;
Blue = b;
}
public Color(float r, float g, float b, float a) {
Red = r;
Green = g;
Blue = b;
Alpha = a;
}
public Color(float[] c) {
Red = c[0];
Green = c[1];
Blue = c[2];
}
}
| .version 52 0
.class public super Color
.super java/lang/Object
.field public Red F
.field public Green F
.field public Blue F
.field public Alpha F
.field public static RED LColor;
.field public static GREEN LColor;
.field public static BLUE LColor;
.field public static YELLOW LColor;
.field public static PINK LColor;
.field public static CYAN LColor;
.field public static BLACK LColor;
.field public static WHITE LColor;
.method public <init> : ()V
.code stack 2 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: fconst_0
L6: putfield Field Color Red F
L9: aload_0
L10: fconst_0
L11: putfield Field Color Green F
L14: aload_0
L15: fconst_0
L16: putfield Field Color Blue F
L19: aload_0
L20: fconst_1
L21: putfield Field Color Alpha F
L24: return
L25:
.linenumbertable
L0 18
L4 4
L9 5
L14 6
L19 7
L24 20
.end linenumbertable
.end code
.end method
.method public <init> : (FFF)V
.code stack 2 locals 4
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: fconst_0
L6: putfield Field Color Red F
L9: aload_0
L10: fconst_0
L11: putfield Field Color Green F
L14: aload_0
L15: fconst_0
L16: putfield Field Color Blue F
L19: aload_0
L20: fconst_1
L21: putfield Field Color Alpha F
L24: aload_0
L25: fload_1
L26: putfield Field Color Red F
L29: aload_0
L30: fload_2
L31: putfield Field Color Green F
L34: aload_0
L35: fload_3
L36: putfield Field Color Blue F
L39: return
L40:
.linenumbertable
L0 22
L4 4
L9 5
L14 6
L19 7
L24 23
L29 24
L34 25
L39 26
.end linenumbertable
.end code
.end method
.method public <init> : (FFFF)V
.code stack 2 locals 5
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: fconst_0
L6: putfield Field Color Red F
L9: aload_0
L10: fconst_0
L11: putfield Field Color Green F
L14: aload_0
L15: fconst_0
L16: putfield Field Color Blue F
L19: aload_0
L20: fconst_1
L21: putfield Field Color Alpha F
L24: aload_0
L25: fload_1
L26: putfield Field Color Red F
L29: aload_0
L30: fload_2
L31: putfield Field Color Green F
L34: aload_0
L35: fload_3
L36: putfield Field Color Blue F
L39: aload_0
L40: fload 4
L42: putfield Field Color Alpha F
L45: return
L46:
.linenumbertable
L0 28
L4 4
L9 5
L14 6
L19 7
L24 29
L29 30
L34 31
L39 32
L45 33
.end linenumbertable
.end code
.end method
.method public <init> : ([F)V
.code stack 3 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: fconst_0
L6: putfield Field Color Red F
L9: aload_0
L10: fconst_0
L11: putfield Field Color Green F
L14: aload_0
L15: fconst_0
L16: putfield Field Color Blue F
L19: aload_0
L20: fconst_1
L21: putfield Field Color Alpha F
L24: aload_0
L25: aload_1
L26: iconst_0
L27: faload
L28: putfield Field Color Red F
L31: aload_0
L32: aload_1
L33: iconst_1
L34: faload
L35: putfield Field Color Green F
L38: aload_0
L39: aload_1
L40: iconst_2
L41: faload
L42: putfield Field Color Blue F
L45: return
L46:
.linenumbertable
L0 35
L4 4
L9 5
L14 6
L19 7
L24 36
L31 37
L38 38
L45 39
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 5 locals 0
L0: new Color
L3: dup
L4: fconst_1
L5: fconst_0
L6: fconst_0
L7: invokespecial Method Color <init> (FFF)V
L10: putstatic Field Color RED LColor;
L13: new Color
L16: dup
L17: fconst_0
L18: fconst_1
L19: fconst_0
L20: invokespecial Method Color <init> (FFF)V
L23: putstatic Field Color GREEN LColor;
L26: new Color
L29: dup
L30: fconst_0
L31: fconst_0
L32: fconst_1
L33: invokespecial Method Color <init> (FFF)V
L36: putstatic Field Color BLUE LColor;
L39: new Color
L42: dup
L43: fconst_1
L44: fconst_1
L45: fconst_0
L46: invokespecial Method Color <init> (FFF)V
L49: putstatic Field Color YELLOW LColor;
L52: new Color
L55: dup
L56: fconst_1
L57: fconst_0
L58: fconst_1
L59: invokespecial Method Color <init> (FFF)V
L62: putstatic Field Color PINK LColor;
L65: new Color
L68: dup
L69: fconst_0
L70: fconst_1
L71: fconst_1
L72: invokespecial Method Color <init> (FFF)V
L75: putstatic Field Color CYAN LColor;
L78: new Color
L81: dup
L82: fconst_0
L83: fconst_0
L84: fconst_0
L85: invokespecial Method Color <init> (FFF)V
L88: putstatic Field Color BLACK LColor;
L91: new Color
L94: dup
L95: fconst_1
L96: fconst_1
L97: fconst_1
L98: invokespecial Method Color <init> (FFF)V
L101: putstatic Field Color WHITE LColor;
L104: return
L105:
.linenumbertable
L0 9
L13 10
L26 11
L39 12
L52 13
L65 14
L78 15
L91 16
.end linenumbertable
.end code
.end method
.sourcefile 'Color.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 04:11:02 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Color_ESTest extends Color_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
float[] floatArray0 = new float[3];
Color color0 = new Color(floatArray0);
assertEquals(1.0F, color0.Alpha, 0.01F);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Color color0 = new Color();
assertEquals(0.0F, color0.Green, 0.01F);
assertEquals(1.0F, color0.Alpha, 0.01F);
assertEquals(0.0F, color0.Red, 0.01F);
assertEquals(0.0F, color0.Blue, 0.01F);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Color color0 = new Color(29235.0F, 29235.0F, 29235.0F, 1.0F);
assertEquals(29235.0F, color0.Blue, 0.01F);
assertEquals(29235.0F, color0.Red, 0.01F);
assertEquals(1.0F, color0.Alpha, 0.01F);
assertEquals(29235.0F, color0.Green, 0.01F);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Color color0 = new Color((-49562.51F), 1.0F, 29235.0F);
assertEquals(1.0F, color0.Green, 0.01F);
assertEquals((-49562.51F), color0.Red, 0.01F);
assertEquals(29235.0F, color0.Blue, 0.01F);
assertEquals(1.0F, color0.Alpha, 0.01F);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 04:11:02 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Color_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Color";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp160y8sm7");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Color_ESTest_scaffolding.class.getClassLoader() ,
"Color"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Color_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Color"
);
}
}
| 12,109 |
ConnectionClosedException | /*
* Copyright 2012-2017 the original author or authors.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* 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;
/**
* Exception throw when the client closes the connection.
*
* @author Phillip Webb
*/
class ConnectionClosedException extends IOException {
ConnectionClosedException() {
super("Connection closed");
}
}
| .version 52 0
.class super ConnectionClosedException
.super java/io/IOException
.method <init> : ()V
.code stack 2 locals 1
L0: aload_0
L1: ldc 'Connection closed'
L3: invokespecial Method java/io/IOException <init> (Ljava/lang/String;)V
L6: return
L7:
.linenumbertable
L0 29
L6 30
.end linenumbertable
.end code
.end method
.sourcefile 'ConnectionClosedException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 22:30: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 ConnectionClosedException_ESTest extends ConnectionClosedException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ConnectionClosedException connectionClosedException0 = new ConnectionClosedException();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 22:30: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 ConnectionClosedException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ConnectionClosedException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp47a07a1o");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ConnectionClosedException_ESTest_scaffolding.class.getClassLoader() ,
"ConnectionClosedException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ConnectionClosedException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ConnectionClosedException"
);
}
}
| 12,110 |
SessionValidation | import java.util.regex.Matcher;
import java.util.regex.Pattern;
public class SessionValidation {
/**
* Check if the given String is a valid port number
*
* @param portNumber
* @return
*/
public static boolean validatePort(final String portNumber) {
final Pattern pattern;
final Matcher matcher;
final String PORT_PATTERN = "^([0-9]+)$";
pattern = Pattern.compile(PORT_PATTERN);
if (checkStringEmptyNull(portNumber)) {
matcher = pattern.matcher(portNumber);
return matcher.matches();
}
return false;
}
/**
* Check session name is not empty and not null
*
* @param value
* @return Flag
*/
public static boolean checkStringEmptyNull(final String value) {
boolean flag = false;
if (value != null && !value.trim().isEmpty()) {
flag = true;
return flag;
}
return flag;
}
/**
* Validating Text Field with IP Address
*
* @param ipAddress
* @return
*/
public static boolean validateIPAddress(final String ipAddress) {
final Pattern pattern;
final Matcher matcher;
final String IPADDRESS_PATTERN =
"^([01]?\\d\\d?|2[0-4]\\d|25[0-5])\\."
+ "([01]?\\d\\d?|2[0-4]\\d|25[0-5])\\."
+ "([01]?\\d\\d?|2[0-4]\\d|25[0-5])\\."
+ "([01]?\\d\\d?|2[0-4]\\d|25[0-5])$";
pattern = Pattern.compile(IPADDRESS_PATTERN);
if (checkStringEmptyNull(ipAddress)) {
matcher = pattern.matcher(ipAddress);
return matcher.matches();
}
return false;
}
}
| .version 52 0
.class public super SessionValidation
.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 validatePort : (Ljava/lang/String;)Z
.code stack 2 locals 4
L0: ldc '^([0-9]+)$'
L2: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;)Ljava/util/regex/Pattern;
L5: astore_1
L6: aload_0
L7: invokestatic Method SessionValidation checkStringEmptyNull (Ljava/lang/String;)Z
L10: ifeq L24
L13: aload_1
L14: aload_0
L15: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher;
L18: astore_2
L19: aload_2
L20: invokevirtual Method java/util/regex/Matcher matches ()Z
L23: ireturn
.stack append Object java/util/regex/Pattern
L24: iconst_0
L25: ireturn
L26:
.linenumbertable
L0 18
L6 20
L13 21
L19 22
L24 24
.end linenumbertable
.end code
.end method
.method public static checkStringEmptyNull : (Ljava/lang/String;)Z
.code stack 1 locals 2
L0: iconst_0
L1: istore_1
L2: aload_0
L3: ifnull L20
L6: aload_0
L7: invokevirtual Method java/lang/String trim ()Ljava/lang/String;
L10: invokevirtual Method java/lang/String isEmpty ()Z
L13: ifne L20
L16: iconst_1
L17: istore_1
L18: iload_1
L19: ireturn
.stack append Integer
L20: iload_1
L21: ireturn
L22:
.linenumbertable
L0 34
L2 36
L16 37
L18 38
L20 40
.end linenumbertable
.end code
.end method
.method public static validateIPAddress : (Ljava/lang/String;)Z
.code stack 2 locals 4
L0: ldc '^([01]?\\d\\d?|2[0-4]\\d|25[0-5])\\.([01]?\\d\\d?|2[0-4]\\d|25[0-5])\\.([01]?\\d\\d?|2[0-4]\\d|25[0-5])\\.([01]?\\d\\d?|2[0-4]\\d|25[0-5])$'
L2: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;)Ljava/util/regex/Pattern;
L5: astore_1
L6: aload_0
L7: invokestatic Method SessionValidation checkStringEmptyNull (Ljava/lang/String;)Z
L10: ifeq L24
L13: aload_1
L14: aload_0
L15: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher;
L18: astore_2
L19: aload_2
L20: invokevirtual Method java/util/regex/Matcher matches ()Z
L23: ireturn
.stack append Object java/util/regex/Pattern
L24: iconst_0
L25: ireturn
L26:
.linenumbertable
L0 54
L6 56
L13 57
L19 58
L24 60
.end linenumbertable
.end code
.end method
.sourcefile 'SessionValidation.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 15:14: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 SessionValidation_ESTest extends SessionValidation_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
boolean boolean0 = SessionValidation.validatePort("1");
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
boolean boolean0 = SessionValidation.validateIPAddress("0.0.0.0");
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
boolean boolean0 = SessionValidation.checkStringEmptyNull("(fzOos6R");
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
boolean boolean0 = SessionValidation.checkStringEmptyNull("");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
boolean boolean0 = SessionValidation.checkStringEmptyNull((String) null);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
boolean boolean0 = SessionValidation.validateIPAddress("V");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
boolean boolean0 = SessionValidation.validateIPAddress("");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
boolean boolean0 = SessionValidation.validatePort("V");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test8() throws Throwable {
boolean boolean0 = SessionValidation.validatePort((String) null);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test9() throws Throwable {
SessionValidation sessionValidation0 = new SessionValidation();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 15:14: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 SessionValidation_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "SessionValidation";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpa2y3bzo2");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SessionValidation_ESTest_scaffolding.class.getClassLoader() ,
"SessionValidation"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SessionValidation_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"SessionValidation"
);
}
}
| 12,111 |
DslMethodNames | /*
* Copyright 2005 JBoss Inc
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
public class DslMethodNames {
private DslMethodNames() {}
// rules
public static final String RULE_CALL = "D.rule";
public static final String UNIT_CALL = "unit";
public static final String ATTRIBUTE_CALL = "attribute";
public static final String SUPPLY_CALL = "D.supply";
public static final String METADATA_CALL = "metadata";
public static final String BUILD_CALL = "build";
public static final String ADD_ANNOTATION_CALL = "addAnnotation";
public static final String ANNOTATION_VALUE_CALL = "D.annotationValue";
// queries
public static final String QUERY_INVOCATION_CALL = "call";
public static final String QUERY_CALL = "D.query";
public static final String VALUE_OF_CALL = "D.valueOf";
// variables
public static final String BIND_AS_CALL = "as";
public static final String DECLARATION_OF_CALL = "D.declarationOf";
public static final String INPUT_CALL = "D.input";
public static final String GLOBAL_OF_CALL = "D.globalOf";
public static final String TYPE_META_DATA_CALL = "D.typeMetaData";
// entry points
public static final String FROM_CALL = "D.from";
public static final String REACTIVE_FROM_CALL = "D.reactiveFrom";
public static final String ENTRY_POINT_CALL = "D.entryPoint";
public static final String WINDOW_CALL = "D.window";
// patterns
public static final String PATTERN_CALL = "D.pattern";
public static final String WATCH_CALL = "watch";
public static final String NOT_CALL = "D.not";
public static final String EXISTS_CALL = "D.exists";
public static final String FORALL_CALL = "D.forall";
public static final String ACCUMULATE_CALL = "D.accumulate";
public static final String ACC_FUNCTION_CALL = "D.accFunction";
public static final String ACC_WITH_EXTERNAL_DECLRS_CALL = "with";
public static final String EVAL_CALL = "D.eval";
// indexing
public static final String INDEXED_BY_CALL = "indexedBy";
public static final String ALPHA_INDEXED_BY_CALL = "D.alphaIndexedBy";
public static final String BETA_INDEXED_BY_CALL = "D.betaIndexedBy";
// consequences
public static final String EXECUTE_CALL = "execute";
public static final String EXECUTESCRIPT_CALL = "executeScript";
public static final String ON_CALL = "D.on";
public static final String UNIT_DATA_CALL = "D.unitData";
public static final String WHEN_CALL = "D.when";
public static final String ELSE_WHEN_CALL = "elseWhen";
public static final String THEN_CALL = "then";
public static final String BREAKING_CALL = "breaking";
// and/or
public static final String AND_CALL = "D.and";
public static final String OR_CALL = "D.or";
}
| .version 52 0
.class public super DslMethodNames
.super java/lang/Object
.field public static final RULE_CALL Ljava/lang/String; = 'D.rule'
.field public static final UNIT_CALL Ljava/lang/String; = 'unit'
.field public static final ATTRIBUTE_CALL Ljava/lang/String; = 'attribute'
.field public static final SUPPLY_CALL Ljava/lang/String; = 'D.supply'
.field public static final METADATA_CALL Ljava/lang/String; = 'metadata'
.field public static final BUILD_CALL Ljava/lang/String; = 'build'
.field public static final ADD_ANNOTATION_CALL Ljava/lang/String; = 'addAnnotation'
.field public static final ANNOTATION_VALUE_CALL Ljava/lang/String; = 'D.annotationValue'
.field public static final QUERY_INVOCATION_CALL Ljava/lang/String; = 'call'
.field public static final QUERY_CALL Ljava/lang/String; = 'D.query'
.field public static final VALUE_OF_CALL Ljava/lang/String; = 'D.valueOf'
.field public static final BIND_AS_CALL Ljava/lang/String; = 'as'
.field public static final DECLARATION_OF_CALL Ljava/lang/String; = 'D.declarationOf'
.field public static final INPUT_CALL Ljava/lang/String; = 'D.input'
.field public static final GLOBAL_OF_CALL Ljava/lang/String; = 'D.globalOf'
.field public static final TYPE_META_DATA_CALL Ljava/lang/String; = 'D.typeMetaData'
.field public static final FROM_CALL Ljava/lang/String; = 'D.from'
.field public static final REACTIVE_FROM_CALL Ljava/lang/String; = 'D.reactiveFrom'
.field public static final ENTRY_POINT_CALL Ljava/lang/String; = 'D.entryPoint'
.field public static final WINDOW_CALL Ljava/lang/String; = 'D.window'
.field public static final PATTERN_CALL Ljava/lang/String; = 'D.pattern'
.field public static final WATCH_CALL Ljava/lang/String; = 'watch'
.field public static final NOT_CALL Ljava/lang/String; = 'D.not'
.field public static final EXISTS_CALL Ljava/lang/String; = 'D.exists'
.field public static final FORALL_CALL Ljava/lang/String; = 'D.forall'
.field public static final ACCUMULATE_CALL Ljava/lang/String; = 'D.accumulate'
.field public static final ACC_FUNCTION_CALL Ljava/lang/String; = 'D.accFunction'
.field public static final ACC_WITH_EXTERNAL_DECLRS_CALL Ljava/lang/String; = 'with'
.field public static final EVAL_CALL Ljava/lang/String; = 'D.eval'
.field public static final INDEXED_BY_CALL Ljava/lang/String; = 'indexedBy'
.field public static final ALPHA_INDEXED_BY_CALL Ljava/lang/String; = 'D.alphaIndexedBy'
.field public static final BETA_INDEXED_BY_CALL Ljava/lang/String; = 'D.betaIndexedBy'
.field public static final EXECUTE_CALL Ljava/lang/String; = 'execute'
.field public static final EXECUTESCRIPT_CALL Ljava/lang/String; = 'executeScript'
.field public static final ON_CALL Ljava/lang/String; = 'D.on'
.field public static final UNIT_DATA_CALL Ljava/lang/String; = 'D.unitData'
.field public static final WHEN_CALL Ljava/lang/String; = 'D.when'
.field public static final ELSE_WHEN_CALL Ljava/lang/String; = 'elseWhen'
.field public static final THEN_CALL Ljava/lang/String; = 'then'
.field public static final BREAKING_CALL Ljava/lang/String; = 'breaking'
.field public static final AND_CALL Ljava/lang/String; = 'D.and'
.field public static final OR_CALL Ljava/lang/String; = 'D.or'
.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 21
.end linenumbertable
.end code
.end method
.sourcefile 'DslMethodNames.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 21:05: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 DslMethodNames_ESTest extends DslMethodNames_ESTest_scaffolding {
@Test
public void notGeneratedAnyTest() {
// EvoSuite did not generate any tests
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 21:05:49 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 DslMethodNames_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 = "DslMethodNames";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.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(DslMethodNames_ESTest_scaffolding.class.getClassLoader() ,
"DslMethodNames"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DslMethodNames_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"DslMethodNames"
);
}
}
| 12,112 |
SuffixFilenameFilter | /**
* This software is released as part of the Pumpernickel project.
*
* <p>All com.pump resources in the Pumpernickel project are distributed under the MIT License:
* https://raw.githubusercontent.com/mickleness/pumpernickel/master/License.txt
*
* <p>More information about the Pumpernickel project is available here:
* https://mickleness.github.io/pumpernickel/
*/
import java.io.File;
import java.io.FilenameFilter;
import java.util.ResourceBundle;
/** A file filter that is based on a suffix. */
public class SuffixFilenameFilter extends javax.swing.filechooser.FileFilter
implements FilenameFilter, java.io.FileFilter {
/** The localized strings used in the description. */
public static ResourceBundle strings =
ResourceBundle.getBundle("com.pump.io.SuffixFilenameFilter");
/**
* The method isDirectory() is never consulted: this accepts/rejects all files based only on their
* suffix.
*/
public static final int POLICY_IGNORE_DIRECTORY_STATUS = 0;
/** All directories are accepted by this filter. */
public static final int POLICY_ACCEPT_ALL_DIRECTORIES = 1;
/** All directories are rejected by this filter. */
public static final int POLICY_REJECT_ALL_DIRECTORIES = 2;
String[] suffix;
String description;
int directoryPolicy;
/** Returns true if this object has the same policy directory and suffixes. */
@Override
public boolean equals(Object obj) {
if (!(obj instanceof SuffixFilenameFilter)) return false;
SuffixFilenameFilter sff = (SuffixFilenameFilter) obj;
if (setEquals(suffix, sff.suffix) == false) return false;
if (directoryPolicy != sff.directoryPolicy) return false;
if (description == null && sff.description == null) return true;
return getDescription().equals(sff.getDescription());
}
/** Returns true if each array has the same elements, regardless of their order. */
private static boolean setEquals(String[] array1, String[] array2) {
if (array1.length != array2.length) return false;
for (int a = 0; a < array1.length; a++) {
boolean hit = false;
for (int b = 0; b < array2.length; b++) {
if (array1[a].equals(array2[b])) {
hit = true;
}
}
if (hit == false) return false;
}
for (int a = 0; a < array2.length; a++) {
boolean hit = false;
for (int b = 0; b < array1.length; b++) {
if (array2[a].equals(array1[b])) {
hit = true;
}
}
if (hit == false) return false;
}
return true;
}
/**
* This creates a new SuffixFilenameFilter. Note that if "*" is one of the suffixes: then only
* directories will be rejected by this filter.
*
* @param suffix a file name suffix to accept such as "foo" or ".foo".
* @param directoryPolicy must be <code>POLICY_ACCEPT_ALL_DIRECTORIES</code>, <code>
* POLICY_REJECT_ALL_DIRECTORIES</code> or <code>POLICY_IGNORE_DIRECTORY_STATUS</code>.
*/
public SuffixFilenameFilter(String suffix, int directoryPolicy) {
this(new String[] {suffix}, directoryPolicy);
}
/**
* This creates a new SuffixFilenameFilter. Note that if "*" is one of the suffixes: then only
* directories will be rejected by this filter.
*
* @param suffix1 a file name suffix to accept such as "foo" or ".foo".
* @param suffix2 a file name suffix to accept such as "goo" or ".goo".
* @param directoryPolicy must be <code>POLICY_ACCEPT_ALL_DIRECTORIES</code>, <code>
* POLICY_REJECT_ALL_DIRECTORIES</code> or <code>POLICY_IGNORE_DIRECTORY_STATUS</code>.
*/
public SuffixFilenameFilter(String suffix1, String suffix2, int directoryPolicy) {
this(new String[] {suffix1, suffix2}, directoryPolicy);
}
/**
* This creates a new SuffixFilenameFilter. Note that if "*" is one of the suffixes: then only
* directories will be rejected by this filter.
*
* @param suffix1 a file name suffix to accept such as "foo" or ".foo".
* @param suffix2 a file name suffix to accept such as "goo" or ".goo".
* @param suffix3 a file name suffix to accept such as "boo" or ".boo".
* @param directoryPolicy must be <code>POLICY_ACCEPT_ALL_DIRECTORIES</code>, <code>
* POLICY_REJECT_ALL_DIRECTORIES</code> or <code>POLICY_IGNORE_DIRECTORY_STATUS</code>.
*/
public SuffixFilenameFilter(String suffix1, String suffix2, String suffix3, int directoryPolicy) {
this(new String[] {suffix1, suffix2, suffix3}, directoryPolicy);
}
/**
* This creates a new SuffixFilenameFilter. Note that if "*" is one of the suffixes: then only
* directories will be rejected by this filter.
*
* @param suffixes the suffixes this filter will accept such as "foo" or ".foo".
* @param directoryPolicy must be <code>POLICY_ACCEPT_ALL_DIRECTORIES</code>, <code>
* POLICY_REJECT_ALL_DIRECTORIES</code> or <code>POLICY_IGNORE_DIRECTORY_STATUS</code>.
*/
public SuffixFilenameFilter(String[] suffixes, int directoryPolicy) {
if (!(directoryPolicy == POLICY_ACCEPT_ALL_DIRECTORIES
|| directoryPolicy == POLICY_IGNORE_DIRECTORY_STATUS
|| directoryPolicy == POLICY_REJECT_ALL_DIRECTORIES))
throw new IllegalArgumentException("unrecognized policy argument");
suffix = new String[suffixes.length];
for (int a = 0; a < suffixes.length; a++) {
suffix[a] = suffixes[a].toLowerCase();
if (suffix[a].startsWith(".")) suffix[a] = suffix[a].substring(1);
}
this.directoryPolicy = directoryPolicy;
}
/**
* This creates a new SuffixFilenameFilter that does not accept directories. Note that if "*" is
* one of the suffixes: then only directories will be rejected by this filter.
*
* @param suffix the file name suffix to accept such as "foo" or ".foo".
*/
public SuffixFilenameFilter(String suffix) {
this(suffix, POLICY_REJECT_ALL_DIRECTORIES);
}
/**
* This creates a new SuffixFilenameFilter that does not accept directories. Note that if "*" is
* one of the suffixes: then only directories will be rejected by this filter.
*
* @param suffix1 a file name suffix to accept such as "foo" or ".foo".
* @param suffix2 a file name suffix to accept such as "goo" or ".goo".
*/
public SuffixFilenameFilter(String suffix1, String suffix2) {
this(suffix1, suffix2, POLICY_REJECT_ALL_DIRECTORIES);
}
/**
* This creates a new SuffixFilenameFilter that does not accept directories. Note that if "*" is
* one of the suffixes: then only directories will be rejected by this filter.
*
* @param suffix1 a file name suffix to accept such as "foo" or ".foo".
* @param suffix2 a file name suffix to accept such as "goo" or ".goo".
* @param suffix3 a file name suffix to accept such as "boo" or ".boo".
*/
public SuffixFilenameFilter(String suffix1, String suffix2, String suffix3) {
this(suffix1, suffix2, suffix3, POLICY_REJECT_ALL_DIRECTORIES);
}
/**
* This creates a new SuffixFilenameFilter that does not accept directories.
*
* @param suffixes the suffixes to accept such as "foo" or ".foo". Note that if "*" is one of the
* suffixes: then only directories will be rejected by this filter.
*/
public SuffixFilenameFilter(String... suffixes) {
this(suffixes, POLICY_REJECT_ALL_DIRECTORIES);
}
/**
* Returns <code>true</code> if this filter accepts the argument. This will be determined by:
*
* <ul>
* <li>Whether the file is a directory and what the <code>directoryPolicy</code> of this filter
* is.
* <li>Whether one of the accepted suffixes is "*"
* <li>Whether the argument name ends in one of the suffixes
* </ul>
*/
@Override
public boolean accept(File file) {
if (directoryPolicy == POLICY_ACCEPT_ALL_DIRECTORIES && file.isDirectory()) return true;
if (directoryPolicy == POLICY_REJECT_ALL_DIRECTORIES && file.isDirectory()) return false;
return isAcceptedName(file.getName());
}
/**
* This returns true if the name ends in one of the suffixes defined in this filter. (Or this
* returns true if one of the suffixes in this filter is "*").
*
* @param name
*/
public boolean isAcceptedName(String name) {
name = name.toLowerCase();
for (int a = 0; a < suffix.length; a++) {
if (name.endsWith('.' + suffix[a]) || suffix[a].equals("*")) return true;
}
return false;
}
/**
* Assigns the description for this filter. If null, then a default description will be provided.
*
* @param description
*/
public void setDescription(String description) {
this.description = description;
}
@Override
public String toString() {
return "SuffixFilenameFilter[ \"" + getDescription() + "\" ]";
}
/**
* If a specific description was provided: this returns the predefined description. Otherwise this
* returns a string such as "GIF and JPEG files".
*/
@Override
public String getDescription() {
if (description != null) return description;
for (int a = 0; a < suffix.length; a++) {
if (suffix[a].equals("*")) return strings.getString("allFiles");
}
try {
if (suffix.length == 1) {
String text = strings.getString("oneFile");
text = text.replace("^0", suffix[0].toUpperCase());
return text;
} else if (suffix.length == 2) {
String text = strings.getString("twoFiles");
text = text.replace("^0", suffix[0].toUpperCase());
text = text.replace("^1", suffix[1].toUpperCase());
return text;
} else {
String text = strings.getString("moreFiles");
int i0 = text.indexOf("^", 0);
int i1 = text.indexOf("^", i0 + 1);
int i2 = text.indexOf("^", i1 + 1);
if (i0 == -1 || i1 == -1 || i2 == -2) {
throw new RuntimeException();
}
String intro = text.substring(0, i0);
String gap1 = text.substring(i0 + 2, i1);
String gap2 = text.substring(i1 + 2, i2);
String trailer = text.substring(i2 + 2);
StringBuffer sb = new StringBuffer(intro);
for (int a = 0; a < suffix.length; a++) {
sb.append(suffix[a].toUpperCase());
if (a == suffix.length - 2) {
sb.append(gap2);
} else if (a == suffix.length - 1) {
sb.append(trailer);
} else {
sb.append(gap1);
}
}
return sb.toString();
}
} catch (Exception e) {
// hmmm.... something is wrong with the localization?
// we can still give a simple list, though:
StringBuffer sb = new StringBuffer();
for (int a = 0; a < suffix.length; a++) {
sb.append(suffix[a].toUpperCase());
if (a != suffix.length - 1) sb.append(" ");
}
return sb.toString();
}
}
/** This defers to <code>accept(File)</code>. */
public boolean accept(File dir, String name) {
File newFile = new File(dir, name);
return accept(newFile);
}
}
| .version 52 0
.class public super SuffixFilenameFilter
.super javax/swing/filechooser/FileFilter
.implements java/io/FilenameFilter
.implements java/io/FileFilter
.field public static strings Ljava/util/ResourceBundle;
.field public static final POLICY_IGNORE_DIRECTORY_STATUS I = 0
.field public static final POLICY_ACCEPT_ALL_DIRECTORIES I = 1
.field public static final POLICY_REJECT_ALL_DIRECTORIES I = 2
.field suffix [Ljava/lang/String;
.field description Ljava/lang/String;
.field directoryPolicy I
.method public equals : (Ljava/lang/Object;)Z
.code stack 2 locals 3
L0: aload_1
L1: instanceof SuffixFilenameFilter
L4: ifne L9
L7: iconst_0
L8: ireturn
.stack same
L9: aload_1
L10: checkcast SuffixFilenameFilter
L13: astore_2
L14: aload_0
L15: getfield Field SuffixFilenameFilter suffix [Ljava/lang/String;
L18: aload_2
L19: getfield Field SuffixFilenameFilter suffix [Ljava/lang/String;
L22: invokestatic Method SuffixFilenameFilter setEquals ([Ljava/lang/String;[Ljava/lang/String;)Z
L25: ifne L30
L28: iconst_0
L29: ireturn
.stack append Object SuffixFilenameFilter
L30: aload_0
L31: getfield Field SuffixFilenameFilter directoryPolicy I
L34: aload_2
L35: getfield Field SuffixFilenameFilter directoryPolicy I
L38: if_icmpeq L43
L41: iconst_0
L42: ireturn
.stack same
L43: aload_0
L44: getfield Field SuffixFilenameFilter description Ljava/lang/String;
L47: ifnonnull L59
L50: aload_2
L51: getfield Field SuffixFilenameFilter description Ljava/lang/String;
L54: ifnonnull L59
L57: iconst_1
L58: ireturn
.stack same
L59: aload_0
L60: invokevirtual Method SuffixFilenameFilter getDescription ()Ljava/lang/String;
L63: aload_2
L64: invokevirtual Method SuffixFilenameFilter getDescription ()Ljava/lang/String;
L67: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L70: ireturn
L71:
.linenumbertable
L0 44
L7 45
L9 46
L14 47
L28 48
L30 49
L41 50
L43 51
L57 52
L59 53
.end linenumbertable
.end code
.end method
.method private static setEquals : ([Ljava/lang/String;[Ljava/lang/String;)Z
.code stack 3 locals 5
L0: aload_0
L1: arraylength
L2: aload_1
L3: arraylength
L4: if_icmpeq L9
L7: iconst_0
L8: ireturn
.stack same
L9: iconst_0
L10: istore_2
.stack append Integer
L11: iload_2
L12: aload_0
L13: arraylength
L14: if_icmpge L62
L17: iconst_0
L18: istore_3
L19: iconst_0
L20: istore 4
.stack append Integer Integer
L22: iload 4
L24: aload_1
L25: arraylength
L26: if_icmpge L50
L29: aload_0
L30: iload_2
L31: aaload
L32: aload_1
L33: iload 4
L35: aaload
L36: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L39: ifeq L44
L42: iconst_1
L43: istore_3
.stack same
L44: iinc 4 1
L47: goto L22
.stack chop 1
L50: iload_3
L51: ifne L56
L54: iconst_0
L55: ireturn
.stack chop 1
L56: iinc 2 1
L59: goto L11
.stack chop 1
L62: iconst_0
L63: istore_2
.stack append Integer
L64: iload_2
L65: aload_1
L66: arraylength
L67: if_icmpge L115
L70: iconst_0
L71: istore_3
L72: iconst_0
L73: istore 4
.stack append Integer Integer
L75: iload 4
L77: aload_0
L78: arraylength
L79: if_icmpge L103
L82: aload_1
L83: iload_2
L84: aaload
L85: aload_0
L86: iload 4
L88: aaload
L89: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L92: ifeq L97
L95: iconst_1
L96: istore_3
.stack same
L97: iinc 4 1
L100: goto L75
.stack chop 1
L103: iload_3
L104: ifne L109
L107: iconst_0
L108: ireturn
.stack chop 1
L109: iinc 2 1
L112: goto L64
.stack chop 1
L115: iconst_1
L116: ireturn
L117:
.linenumbertable
L0 61
L7 62
L9 63
L17 64
L19 65
L29 66
L42 67
L44 65
L50 70
L54 71
L56 63
L62 73
L70 74
L72 75
L82 76
L95 77
L97 75
L103 80
L107 81
L109 73
L115 83
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;I)V
.code stack 5 locals 3
L0: aload_0
L1: iconst_1
L2: anewarray java/lang/String
L5: dup
L6: iconst_0
L7: aload_1
L8: aastore
L9: iload_2
L10: invokespecial Method SuffixFilenameFilter <init> ([Ljava/lang/String;I)V
L13: return
L14:
.linenumbertable
L0 98
L13 99
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;Ljava/lang/String;I)V
.code stack 5 locals 4
L0: aload_0
L1: iconst_2
L2: anewarray java/lang/String
L5: dup
L6: iconst_0
L7: aload_1
L8: aastore
L9: dup
L10: iconst_1
L11: aload_2
L12: aastore
L13: iload_3
L14: invokespecial Method SuffixFilenameFilter <init> ([Ljava/lang/String;I)V
L17: return
L18:
.linenumbertable
L0 116
L17 117
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;I)V
.code stack 5 locals 5
L0: aload_0
L1: iconst_3
L2: anewarray java/lang/String
L5: dup
L6: iconst_0
L7: aload_1
L8: aastore
L9: dup
L10: iconst_1
L11: aload_2
L12: aastore
L13: dup
L14: iconst_2
L15: aload_3
L16: aastore
L17: iload 4
L19: invokespecial Method SuffixFilenameFilter <init> ([Ljava/lang/String;I)V
L22: return
L23:
.linenumbertable
L0 136
L22 137
.end linenumbertable
.end code
.end method
.method public <init> : ([Ljava/lang/String;I)V
.code stack 4 locals 4
L0: aload_0
L1: invokespecial Method javax/swing/filechooser/FileFilter <init> ()V
L4: iload_2
L5: iconst_1
L6: if_icmpeq L28
L9: iload_2
L10: ifeq L28
L13: iload_2
L14: iconst_2
L15: if_icmpeq L28
L18: new java/lang/IllegalArgumentException
L21: dup
L22: ldc 'unrecognized policy argument'
L24: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;)V
L27: athrow
.stack full
locals Object SuffixFilenameFilter Object [Ljava/lang/String; Integer
stack
.end stack
L28: aload_0
L29: aload_1
L30: arraylength
L31: anewarray java/lang/String
L34: putfield Field SuffixFilenameFilter suffix [Ljava/lang/String;
L37: iconst_0
L38: istore_3
.stack append Integer
L39: iload_3
L40: aload_1
L41: arraylength
L42: if_icmpge L93
L45: aload_0
L46: getfield Field SuffixFilenameFilter suffix [Ljava/lang/String;
L49: iload_3
L50: aload_1
L51: iload_3
L52: aaload
L53: invokevirtual Method java/lang/String toLowerCase ()Ljava/lang/String;
L56: aastore
L57: aload_0
L58: getfield Field SuffixFilenameFilter suffix [Ljava/lang/String;
L61: iload_3
L62: aaload
L63: ldc '.'
L65: invokevirtual Method java/lang/String startsWith (Ljava/lang/String;)Z
L68: ifeq L87
L71: aload_0
L72: getfield Field SuffixFilenameFilter suffix [Ljava/lang/String;
L75: iload_3
L76: aload_0
L77: getfield Field SuffixFilenameFilter suffix [Ljava/lang/String;
L80: iload_3
L81: aaload
L82: iconst_1
L83: invokevirtual Method java/lang/String substring (I)Ljava/lang/String;
L86: aastore
.stack same
L87: iinc 3 1
L90: goto L39
.stack chop 1
L93: aload_0
L94: iload_2
L95: putfield Field SuffixFilenameFilter directoryPolicy I
L98: return
L99:
.linenumbertable
L0 150
L4 151
L18 153
L28 154
L37 155
L45 156
L57 157
L71 158
L87 155
L93 160
L98 161
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;)V
.code stack 3 locals 2
L0: aload_0
L1: aload_1
L2: iconst_2
L3: invokespecial Method SuffixFilenameFilter <init> (Ljava/lang/String;I)V
L6: return
L7:
.linenumbertable
L0 172
L6 173
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;Ljava/lang/String;)V
.code stack 4 locals 3
L0: aload_0
L1: aload_1
L2: aload_2
L3: iconst_2
L4: invokespecial Method SuffixFilenameFilter <init> (Ljava/lang/String;Ljava/lang/String;I)V
L7: return
L8:
.linenumbertable
L0 186
L7 187
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V
.code stack 5 locals 4
L0: aload_0
L1: aload_1
L2: aload_2
L3: aload_3
L4: iconst_2
L5: invokespecial Method SuffixFilenameFilter <init> (Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;I)V
L8: return
L9:
.linenumbertable
L0 202
L8 203
.end linenumbertable
.end code
.end method
.method public varargs <init> : ([Ljava/lang/String;)V
.code stack 3 locals 2
L0: aload_0
L1: aload_1
L2: iconst_2
L3: invokespecial Method SuffixFilenameFilter <init> ([Ljava/lang/String;I)V
L6: return
L7:
.linenumbertable
L0 214
L6 215
.end linenumbertable
.end code
.end method
.method public accept : (Ljava/io/File;)Z
.code stack 2 locals 2
L0: aload_0
L1: getfield Field SuffixFilenameFilter directoryPolicy I
L4: iconst_1
L5: if_icmpne L17
L8: aload_1
L9: invokevirtual Method java/io/File isDirectory ()Z
L12: ifeq L17
L15: iconst_1
L16: ireturn
.stack same
L17: aload_0
L18: getfield Field SuffixFilenameFilter directoryPolicy I
L21: iconst_2
L22: if_icmpne L34
L25: aload_1
L26: invokevirtual Method java/io/File isDirectory ()Z
L29: ifeq L34
L32: iconst_0
L33: ireturn
.stack same
L34: aload_0
L35: aload_1
L36: invokevirtual Method java/io/File getName ()Ljava/lang/String;
L39: invokevirtual Method SuffixFilenameFilter isAcceptedName (Ljava/lang/String;)Z
L42: ireturn
L43:
.linenumbertable
L0 229
L9 230
L15 231
L17 232
L26 233
L32 234
L34 235
.end linenumbertable
.end code
.end method
.method public isAcceptedName : (Ljava/lang/String;)Z
.code stack 4 locals 3
L0: aload_1
L1: invokevirtual Method java/lang/String toLowerCase ()Ljava/lang/String;
L4: astore_1
L5: iconst_0
L6: istore_2
.stack append Integer
L7: iload_2
L8: aload_0
L9: getfield Field SuffixFilenameFilter suffix [Ljava/lang/String;
L12: arraylength
L13: if_icmpge L69
L16: aload_1
L17: new java/lang/StringBuilder
L20: dup
L21: invokespecial Method java/lang/StringBuilder <init> ()V
L24: bipush 46
L26: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L29: aload_0
L30: getfield Field SuffixFilenameFilter suffix [Ljava/lang/String;
L33: iload_2
L34: aaload
L35: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L38: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L41: invokevirtual Method java/lang/String endsWith (Ljava/lang/String;)Z
L44: ifne L61
L47: aload_0
L48: getfield Field SuffixFilenameFilter suffix [Ljava/lang/String;
L51: iload_2
L52: aaload
L53: ldc '*'
L55: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L58: ifeq L63
.stack same
L61: iconst_1
L62: ireturn
.stack same
L63: iinc 2 1
L66: goto L7
.stack chop 1
L69: iconst_0
L70: ireturn
L71:
.linenumbertable
L0 246
L5 247
L16 248
L61 249
L63 247
L69 251
.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 SuffixFilenameFilter description Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 261
L5 262
.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 'SuffixFilenameFilter[ "'
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: invokevirtual Method SuffixFilenameFilter getDescription ()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: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L27: areturn
L28:
.linenumbertable
L0 266
.end linenumbertable
.end code
.end method
.method public getDescription : ()Ljava/lang/String;
.code stack 4 locals 11
L0: aload_0
L1: getfield Field SuffixFilenameFilter description Ljava/lang/String;
L4: ifnull L12
L7: aload_0
L8: getfield Field SuffixFilenameFilter description Ljava/lang/String;
L11: areturn
.stack same
L12: iconst_0
L13: istore_1
.stack append Integer
L14: iload_1
L15: aload_0
L16: getfield Field SuffixFilenameFilter suffix [Ljava/lang/String;
L19: arraylength
L20: if_icmpge L52
L23: aload_0
L24: getfield Field SuffixFilenameFilter suffix [Ljava/lang/String;
L27: iload_1
L28: aaload
L29: ldc '*'
L31: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L34: ifeq L46
L37: getstatic Field SuffixFilenameFilter strings Ljava/util/ResourceBundle;
L40: ldc 'allFiles'
L42: invokevirtual Method java/util/ResourceBundle getString (Ljava/lang/String;)Ljava/lang/String;
L45: areturn
.stack same
L46: iinc 1 1
L49: goto L14
.catch java/lang/Exception from L52 to L87 using L348
.stack chop 1
L52: aload_0
L53: getfield Field SuffixFilenameFilter suffix [Ljava/lang/String;
L56: arraylength
L57: iconst_1
L58: if_icmpne L88
L61: getstatic Field SuffixFilenameFilter strings Ljava/util/ResourceBundle;
L64: ldc 'oneFile'
L66: invokevirtual Method java/util/ResourceBundle getString (Ljava/lang/String;)Ljava/lang/String;
L69: astore_1
L70: aload_1
L71: ldc '^0'
L73: aload_0
L74: getfield Field SuffixFilenameFilter suffix [Ljava/lang/String;
L77: iconst_0
L78: aaload
L79: invokevirtual Method java/lang/String toUpperCase ()Ljava/lang/String;
L82: invokevirtual Method java/lang/String replace (Ljava/lang/CharSequence;Ljava/lang/CharSequence;)Ljava/lang/String;
L85: astore_1
L86: aload_1
L87: areturn
.catch java/lang/Exception from L88 to L139 using L348
.stack same
L88: aload_0
L89: getfield Field SuffixFilenameFilter suffix [Ljava/lang/String;
L92: arraylength
L93: iconst_2
L94: if_icmpne L140
L97: getstatic Field SuffixFilenameFilter strings Ljava/util/ResourceBundle;
L100: ldc 'twoFiles'
L102: invokevirtual Method java/util/ResourceBundle getString (Ljava/lang/String;)Ljava/lang/String;
L105: astore_1
L106: aload_1
L107: ldc '^0'
L109: aload_0
L110: getfield Field SuffixFilenameFilter suffix [Ljava/lang/String;
L113: iconst_0
L114: aaload
L115: invokevirtual Method java/lang/String toUpperCase ()Ljava/lang/String;
L118: invokevirtual Method java/lang/String replace (Ljava/lang/CharSequence;Ljava/lang/CharSequence;)Ljava/lang/String;
L121: astore_1
L122: aload_1
L123: ldc '^1'
L125: aload_0
L126: getfield Field SuffixFilenameFilter suffix [Ljava/lang/String;
L129: iconst_1
L130: aaload
L131: invokevirtual Method java/lang/String toUpperCase ()Ljava/lang/String;
L134: invokevirtual Method java/lang/String replace (Ljava/lang/CharSequence;Ljava/lang/CharSequence;)Ljava/lang/String;
L137: astore_1
L138: aload_1
L139: areturn
.catch java/lang/Exception from L140 to L347 using L348
.stack same
L140: getstatic Field SuffixFilenameFilter strings Ljava/util/ResourceBundle;
L143: ldc 'moreFiles'
L145: invokevirtual Method java/util/ResourceBundle getString (Ljava/lang/String;)Ljava/lang/String;
L148: astore_1
L149: aload_1
L150: ldc '^'
L152: iconst_0
L153: invokevirtual Method java/lang/String indexOf (Ljava/lang/String;I)I
L156: istore_2
L157: aload_1
L158: ldc '^'
L160: iload_2
L161: iconst_1
L162: iadd
L163: invokevirtual Method java/lang/String indexOf (Ljava/lang/String;I)I
L166: istore_3
L167: aload_1
L168: ldc '^'
L170: iload_3
L171: iconst_1
L172: iadd
L173: invokevirtual Method java/lang/String indexOf (Ljava/lang/String;I)I
L176: istore 4
L178: iload_2
L179: iconst_m1
L180: if_icmpeq L195
L183: iload_3
L184: iconst_m1
L185: if_icmpeq L195
L188: iload 4
L190: bipush -2
L192: if_icmpne L203
.stack full
locals Object SuffixFilenameFilter Object java/lang/String Integer Integer Integer
stack
.end stack
L195: new java/lang/RuntimeException
L198: dup
L199: invokespecial Method java/lang/RuntimeException <init> ()V
L202: athrow
.stack same
L203: aload_1
L204: iconst_0
L205: iload_2
L206: invokevirtual Method java/lang/String substring (II)Ljava/lang/String;
L209: astore 5
L211: aload_1
L212: iload_2
L213: iconst_2
L214: iadd
L215: iload_3
L216: invokevirtual Method java/lang/String substring (II)Ljava/lang/String;
L219: astore 6
L221: aload_1
L222: iload_3
L223: iconst_2
L224: iadd
L225: iload 4
L227: invokevirtual Method java/lang/String substring (II)Ljava/lang/String;
L230: astore 7
L232: aload_1
L233: iload 4
L235: iconst_2
L236: iadd
L237: invokevirtual Method java/lang/String substring (I)Ljava/lang/String;
L240: astore 8
L242: new java/lang/StringBuffer
L245: dup
L246: aload 5
L248: invokespecial Method java/lang/StringBuffer <init> (Ljava/lang/String;)V
L251: astore 9
L253: iconst_0
L254: istore 10
.stack full
locals Object SuffixFilenameFilter Object java/lang/String Integer Integer Integer Object java/lang/String Object java/lang/String Object java/lang/String Object java/lang/String Object java/lang/StringBuffer Integer
stack
.end stack
L256: iload 10
L258: aload_0
L259: getfield Field SuffixFilenameFilter suffix [Ljava/lang/String;
L262: arraylength
L263: if_icmpge L342
L266: aload 9
L268: aload_0
L269: getfield Field SuffixFilenameFilter suffix [Ljava/lang/String;
L272: iload 10
L274: aaload
L275: invokevirtual Method java/lang/String toUpperCase ()Ljava/lang/String;
L278: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L281: pop
L282: iload 10
L284: aload_0
L285: getfield Field SuffixFilenameFilter suffix [Ljava/lang/String;
L288: arraylength
L289: iconst_2
L290: isub
L291: if_icmpne L305
L294: aload 9
L296: aload 7
L298: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L301: pop
L302: goto L336
.stack same
L305: iload 10
L307: aload_0
L308: getfield Field SuffixFilenameFilter suffix [Ljava/lang/String;
L311: arraylength
L312: iconst_1
L313: isub
L314: if_icmpne L328
L317: aload 9
L319: aload 8
L321: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L324: pop
L325: goto L336
.stack same
L328: aload 9
L330: aload 6
L332: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L335: pop
.stack same
L336: iinc 10 1
L339: goto L256
.stack chop 1
L342: aload 9
L344: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String;
L347: areturn
.stack full
locals Object SuffixFilenameFilter
stack Object java/lang/Exception
.end stack
L348: astore_1
L349: new java/lang/StringBuffer
L352: dup
L353: invokespecial Method java/lang/StringBuffer <init> ()V
L356: astore_2
L357: iconst_0
L358: istore_3
.stack append Object java/lang/Exception Object java/lang/StringBuffer Integer
L359: iload_3
L360: aload_0
L361: getfield Field SuffixFilenameFilter suffix [Ljava/lang/String;
L364: arraylength
L365: if_icmpge L406
L368: aload_2
L369: aload_0
L370: getfield Field SuffixFilenameFilter suffix [Ljava/lang/String;
L373: iload_3
L374: aaload
L375: invokevirtual Method java/lang/String toUpperCase ()Ljava/lang/String;
L378: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L381: pop
L382: iload_3
L383: aload_0
L384: getfield Field SuffixFilenameFilter suffix [Ljava/lang/String;
L387: arraylength
L388: iconst_1
L389: isub
L390: if_icmpeq L400
L393: aload_2
L394: ldc ' '
L396: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L399: pop
.stack same
L400: iinc 3 1
L403: goto L359
.stack chop 1
L406: aload_2
L407: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String;
L410: areturn
L411:
.linenumbertable
L0 276
L7 277
L12 279
L23 280
L37 281
L46 279
L52 285
L61 286
L70 287
L86 288
L88 289
L97 290
L106 291
L122 292
L138 293
L140 295
L149 296
L157 297
L167 298
L178 299
L195 300
L203 303
L211 304
L221 305
L232 306
L242 308
L253 310
L266 311
L282 312
L294 313
L305 314
L317 315
L328 317
L336 310
L342 321
L348 323
L349 326
L357 327
L368 328
L382 329
L393 330
L400 327
L406 332
.end linenumbertable
.end code
.end method
.method public accept : (Ljava/io/File;Ljava/lang/String;)Z
.code stack 4 locals 4
L0: new java/io/File
L3: dup
L4: aload_1
L5: aload_2
L6: invokespecial Method java/io/File <init> (Ljava/io/File;Ljava/lang/String;)V
L9: astore_3
L10: aload_0
L11: aload_3
L12: invokevirtual Method SuffixFilenameFilter accept (Ljava/io/File;)Z
L15: ireturn
L16:
.linenumbertable
L0 338
L10 339
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 1 locals 0
L0: ldc 'com.pump.io.SuffixFilenameFilter'
L2: invokestatic Method java/util/ResourceBundle getBundle (Ljava/lang/String;)Ljava/util/ResourceBundle;
L5: putstatic Field SuffixFilenameFilter strings Ljava/util/ResourceBundle;
L8: return
L9:
.linenumbertable
L0 25
L2 26
L8 25
.end linenumbertable
.end code
.end method
.sourcefile 'SuffixFilenameFilter.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 19:55:00 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class SuffixFilenameFilter_ESTest extends SuffixFilenameFilter_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String string0 = "SuffixFilenameFilter";
Thread thread0 = Thread.currentThread();
ClassLoader classLoader0 = thread0.getContextClassLoader();
boolean boolean0 = true;
// Undeclared exception!
try {
Class.forName(string0, boolean0, classLoader0);
fail("Expecting exception: NoClassDefFoundError");
} catch(NoClassDefFoundError e) {
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 19:55: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 SuffixFilenameFilter_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "SuffixFilenameFilter";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpjnp0bms2");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SuffixFilenameFilter_ESTest_scaffolding.class.getClassLoader() ,
"SuffixFilenameFilter"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SuffixFilenameFilter_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"SuffixFilenameFilter"
);
}
}
| 12,113 |
LazySingleton | public final class LazySingleton {
private static volatile LazySingleton instance = null;
private LazySingleton() {}
public static LazySingleton getInstance() {
if (instance == null) {
synchronized (LazySingleton.class) {
if (instance == null) {
instance = new LazySingleton();
}
}
}
return instance;
}
}
| .version 52 0
.class public final super LazySingleton
.super java/lang/Object
.field private static volatile instance LLazySingleton;
.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 6
.end linenumbertable
.end code
.end method
.method public static getInstance : ()LLazySingleton;
.code stack 2 locals 2
L0: getstatic Field LazySingleton instance LLazySingleton;
L3: ifnonnull L37
L6: ldc Class LazySingleton
L8: dup
L9: astore_0
L10: monitorenter
.catch [0] from L11 to L29 using L32
L11: getstatic Field LazySingleton instance LLazySingleton;
L14: ifnonnull L27
L17: new LazySingleton
L20: dup
L21: invokespecial Method LazySingleton <init> ()V
L24: putstatic Field LazySingleton instance LLazySingleton;
.stack append Object java/lang/Object
L27: aload_0
L28: monitorexit
L29: goto L37
.catch [0] from L32 to L35 using L32
.stack stack_1 Object java/lang/Throwable
L32: astore_1
L33: aload_0
L34: monitorexit
L35: aload_1
L36: athrow
.stack chop 1
L37: getstatic Field LazySingleton instance LLazySingleton;
L40: areturn
L41:
.linenumbertable
L0 9
L6 10
L11 11
L17 12
L27 14
L37 17
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 1 locals 0
L0: aconst_null
L1: putstatic Field LazySingleton instance LLazySingleton;
L4: return
L5:
.linenumbertable
L0 4
.end linenumbertable
.end code
.end method
.sourcefile 'LazySingleton.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 09:51: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 LazySingleton_ESTest extends LazySingleton_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
LazySingleton lazySingleton0 = LazySingleton.getInstance();
LazySingleton lazySingleton1 = LazySingleton.getInstance();
assertSame(lazySingleton1, lazySingleton0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 09:51: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 LazySingleton_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "LazySingleton";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpwhmwdn3v");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(LazySingleton_ESTest_scaffolding.class.getClassLoader() ,
"LazySingleton"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(LazySingleton_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"LazySingleton"
);
}
}
| 12,114 |
Base | import java.nio.ByteBuffer;
import java.nio.ByteOrder;
/** Created by Administrator on 2017/3/2 0002. 封装一些基础方法 */
public class Base {
/**
* 使用FNV1_32_HASH算法计算服务器的Hash值,这里不使用重写hashCode的方法,最终效果没区别
*
* @param str
* @return hashcode
*/
private static int getHash(String str) {
final int p = 16777619;
int hash = (int) 2166136261L;
for (int i = 0; i < str.length(); i++) hash = (hash ^ str.charAt(i)) * p;
hash += hash << 13;
hash ^= hash >> 7;
hash += hash << 3;
hash ^= hash >> 17;
hash += hash << 5;
// 如果算出来的值为负数则取其绝对值
if (hash < 0) hash = Math.abs(hash);
return hash;
}
/**
* MurMurHash算法,是非加密HASH算法,性能很高, 比传统的CRC32,MD5,SHA-1(这两个算法都是加密HASH算法,复杂度本身就很高,带来的性能上的损害也不可避免)
* 等HASH算法要快很多,而且据说这个算法的碰撞率很低. http://murmurhash.googlepages.com/
*/
protected Long hash(String key) {
ByteBuffer buf = ByteBuffer.wrap(key.getBytes());
int seed = 0x1234ABCD;
ByteOrder byteOrder = buf.order();
buf.order(ByteOrder.LITTLE_ENDIAN);
long m = 0xc6a4a7935bd1e995L;
int r = 47;
long h = seed ^ (buf.remaining() * m);
long k;
while (buf.remaining() >= 8) {
k = buf.getLong();
k *= m;
k ^= k >>> r;
k *= m;
h ^= k;
h *= m;
}
if (buf.remaining() > 0) {
ByteBuffer finish = ByteBuffer.allocate(8).order(ByteOrder.LITTLE_ENDIAN);
// for big-endian version, do this first:
// finish.position(8-buf.remaining());
finish.put(buf).rewind();
h ^= finish.getLong();
h *= m;
}
h ^= h >>> r;
h *= m;
h ^= h >>> r;
buf.order(byteOrder);
return h;
}
}
| .version 52 0
.class public super Base
.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 private static getHash : (Ljava/lang/String;)I
.code stack 3 locals 4
L0: ldc -2128831035
L2: istore_2
L3: iconst_0
L4: istore_3
.stack append Top Integer Integer
L5: iload_3
L6: aload_0
L7: invokevirtual Method java/lang/String length ()I
L10: if_icmpge L30
L13: iload_2
L14: aload_0
L15: iload_3
L16: invokevirtual Method java/lang/String charAt (I)C
L19: ixor
L20: ldc 16777619
L22: imul
L23: istore_2
L24: iinc 3 1
L27: goto L5
.stack chop 1
L30: iload_2
L31: iload_2
L32: bipush 13
L34: ishl
L35: iadd
L36: istore_2
L37: iload_2
L38: iload_2
L39: bipush 7
L41: ishr
L42: ixor
L43: istore_2
L44: iload_2
L45: iload_2
L46: iconst_3
L47: ishl
L48: iadd
L49: istore_2
L50: iload_2
L51: iload_2
L52: bipush 17
L54: ishr
L55: ixor
L56: istore_2
L57: iload_2
L58: iload_2
L59: iconst_5
L60: ishl
L61: iadd
L62: istore_2
L63: iload_2
L64: ifge L72
L67: iload_2
L68: invokestatic Method java/lang/Math abs (I)I
L71: istore_2
.stack same
L72: iload_2
L73: ireturn
L74:
.linenumbertable
L0 20
L3 21
L13 22
L24 21
L30 23
L37 24
L44 25
L50 26
L57 27
L63 30
L67 31
L72 32
.end linenumbertable
.end code
.end method
.method protected hash : (Ljava/lang/String;)Ljava/lang/Long;
.code stack 6 locals 13
L0: aload_1
L1: invokevirtual Method java/lang/String getBytes ()[B
L4: invokestatic Method java/nio/ByteBuffer wrap ([B)Ljava/nio/ByteBuffer;
L7: astore_2
L8: ldc 305441741
L10: istore_3
L11: aload_2
L12: invokevirtual Method java/nio/ByteBuffer order ()Ljava/nio/ByteOrder;
L15: astore 4
L17: aload_2
L18: getstatic Field java/nio/ByteOrder LITTLE_ENDIAN Ljava/nio/ByteOrder;
L21: invokevirtual Method java/nio/ByteBuffer order (Ljava/nio/ByteOrder;)Ljava/nio/ByteBuffer;
L24: pop
L25: ldc2_w -4132994306676758123L
L28: lstore 5
L30: bipush 47
L32: istore 7
L34: iload_3
L35: i2l
L36: aload_2
L37: invokevirtual Method java/nio/ByteBuffer remaining ()I
L40: i2l
L41: lload 5
L43: lmul
L44: lxor
L45: lstore 8
.stack full
locals Object Base Object java/lang/String Object java/nio/ByteBuffer Integer Object java/nio/ByteOrder Long Integer Long
stack
.end stack
L47: aload_2
L48: invokevirtual Method java/nio/ByteBuffer remaining ()I
L51: bipush 8
L53: if_icmplt L103
L56: aload_2
L57: invokevirtual Method java/nio/ByteBuffer getLong ()J
L60: lstore 10
L62: lload 10
L64: lload 5
L66: lmul
L67: lstore 10
L69: lload 10
L71: lload 10
L73: iload 7
L75: lushr
L76: lxor
L77: lstore 10
L79: lload 10
L81: lload 5
L83: lmul
L84: lstore 10
L86: lload 8
L88: lload 10
L90: lxor
L91: lstore 8
L93: lload 8
L95: lload 5
L97: lmul
L98: lstore 8
L100: goto L47
.stack same
L103: aload_2
L104: invokevirtual Method java/nio/ByteBuffer remaining ()I
L107: ifle L150
L110: bipush 8
L112: invokestatic Method java/nio/ByteBuffer allocate (I)Ljava/nio/ByteBuffer;
L115: getstatic Field java/nio/ByteOrder LITTLE_ENDIAN Ljava/nio/ByteOrder;
L118: invokevirtual Method java/nio/ByteBuffer order (Ljava/nio/ByteOrder;)Ljava/nio/ByteBuffer;
L121: astore 12
L123: aload 12
L125: aload_2
L126: invokevirtual Method java/nio/ByteBuffer put (Ljava/nio/ByteBuffer;)Ljava/nio/ByteBuffer;
L129: invokevirtual Method java/nio/ByteBuffer rewind ()Ljava/nio/Buffer;
L132: pop
L133: lload 8
L135: aload 12
L137: invokevirtual Method java/nio/ByteBuffer getLong ()J
L140: lxor
L141: lstore 8
L143: lload 8
L145: lload 5
L147: lmul
L148: lstore 8
.stack same
L150: lload 8
L152: lload 8
L154: iload 7
L156: lushr
L157: lxor
L158: lstore 8
L160: lload 8
L162: lload 5
L164: lmul
L165: lstore 8
L167: lload 8
L169: lload 8
L171: iload 7
L173: lushr
L174: lxor
L175: lstore 8
L177: aload_2
L178: aload 4
L180: invokevirtual Method java/nio/ByteBuffer order (Ljava/nio/ByteOrder;)Ljava/nio/ByteBuffer;
L183: pop
L184: lload 8
L186: invokestatic Method java/lang/Long valueOf (J)Ljava/lang/Long;
L189: areturn
L190:
.linenumbertable
L0 43
L8 44
L11 46
L17 47
L25 49
L30 50
L34 52
L47 55
L56 56
L62 58
L69 59
L79 60
L86 62
L93 63
L103 66
L110 67
L123 71
L133 72
L143 73
L150 76
L160 77
L167 78
L177 80
L184 81
.end linenumbertable
.end code
.end method
.sourcefile 'Base.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 14:48:18 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Base_ESTest extends Base_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Base base0 = new Base();
Long long0 = base0.hash("");
assertEquals(8371356515094919947L, (long)long0);
base0.hash("Q");
Long long1 = base0.hash("Q");
assertEquals((-4398161621733539830L), (long)long1);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Base base0 = new Base();
Long long0 = base0.hash("*jvxoO-@o%.t@d%dG");
assertEquals(769190725092323142L, (long)long0);
Long long1 = base0.hash("");
assertEquals(8371356515094919947L, (long)long1);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Base base0 = new Base();
Long long0 = base0.hash("1}@bT%vC+S2b?{B");
assertEquals(3706982347228165120L, (long)long0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Base base0 = new Base();
Long long0 = base0.hash("/BAGlbFY");
assertEquals((-295256422124752794L), (long)long0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Base base0 = new Base();
Long long0 = base0.hash("Base");
assertEquals(2138535748841915832L, (long)long0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 14:48:18 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Base_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Base";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpy1ushhp2");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Base_ESTest_scaffolding.class.getClassLoader() ,
"Base"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Base_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Base"
);
}
}
| 12,115 |
CS | /**
* Used for system-level build properties.
*
* @author lenz
*/
public class CS {
public static final String VERSION = "0.0.0";
public static final String BUILD_N = "B#0.0";
public static final boolean DEVELOPEMENT = true;
}
| .version 52 0
.class public super CS
.super java/lang/Object
.field public static final VERSION Ljava/lang/String; = '0.0.0'
.field public static final BUILD_N Ljava/lang/String; = 'B#0.0'
.field public static final DEVELOPEMENT 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 9
.end linenumbertable
.end code
.end method
.sourcefile 'CS.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 22:42: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 CS_ESTest extends CS_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
CS cS0 = new CS();
assertTrue(CS.DEVELOPEMENT);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 22:42: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 CS_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "CS";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp2el73bn6");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CS_ESTest_scaffolding.class.getClassLoader() ,
"CS"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CS_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"CS"
);
}
}
| 12,116 |
Operaciones | public class Operaciones {
public Operaciones() {}
public float Distancia_puntos(float x1, float y1, float x2, float y2) {
float a = x1 - x2;
float b = y1 - y2;
a = a * a;
b = b * b;
float c = a + b;
float res = (float) Math.sqrt(c);
return res;
}
}
| .version 52 0
.class public super Operaciones
.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
L4 8
.end linenumbertable
.end code
.end method
.method public Distancia_puntos : (FFFF)F
.code stack 2 locals 9
L0: fload_1
L1: fload_3
L2: fsub
L3: fstore 5
L5: fload_2
L6: fload 4
L8: fsub
L9: fstore 6
L11: fload 5
L13: fload 5
L15: fmul
L16: fstore 5
L18: fload 6
L20: fload 6
L22: fmul
L23: fstore 6
L25: fload 5
L27: fload 6
L29: fadd
L30: fstore 7
L32: fload 7
L34: f2d
L35: invokestatic Method java/lang/Math sqrt (D)D
L38: d2f
L39: fstore 8
L41: fload 8
L43: freturn
L44:
.linenumbertable
L0 13
L5 14
L11 16
L18 17
L25 19
L32 21
L41 23
.end linenumbertable
.end code
.end method
.sourcefile 'Operaciones.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 06:01: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 Operaciones_ESTest extends Operaciones_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Operaciones operaciones0 = new Operaciones();
float float0 = operaciones0.Distancia_puntos(52461.84F, 52461.84F, 0.0F, 0.0F);
assertEquals(74192.25F, float0, 0.01F);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Operaciones operaciones0 = new Operaciones();
float float0 = operaciones0.Distancia_puntos((-22338.418F), (-22338.418F), (-22338.418F), (-22338.418F));
assertEquals(0.0F, float0, 0.01F);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 06:01: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 Operaciones_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Operaciones";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpsbd6_mjg");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Operaciones_ESTest_scaffolding.class.getClassLoader() ,
"Operaciones"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Operaciones_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Operaciones"
);
}
}
| 12,117 |
TbItem | import java.io.Serializable;
import java.util.Date;
public class TbItem implements Serializable {
/**
* This field was generated by MyBatis Generator. This field corresponds to the database column
* tb_item.id
*
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
private Long id;
/**
* This field was generated by MyBatis Generator. This field corresponds to the database column
* tb_item.title
*
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
private String title;
/**
* This field was generated by MyBatis Generator. This field corresponds to the database column
* tb_item.sell_point
*
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
private String sellPoint;
/**
* This field was generated by MyBatis Generator. This field corresponds to the database column
* tb_item.price
*
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
private Long price;
/**
* This field was generated by MyBatis Generator. This field corresponds to the database column
* tb_item.num
*
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
private Integer num;
/**
* This field was generated by MyBatis Generator. This field corresponds to the database column
* tb_item.barcode
*
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
private String barcode;
/**
* This field was generated by MyBatis Generator. This field corresponds to the database column
* tb_item.image
*
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
private String image;
/**
* This field was generated by MyBatis Generator. This field corresponds to the database column
* tb_item.cid
*
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
private Long cid;
/**
* This field was generated by MyBatis Generator. This field corresponds to the database column
* tb_item.status
*
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
private Byte status;
/**
* This field was generated by MyBatis Generator. This field corresponds to the database column
* tb_item.created
*
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
private Date created;
/**
* This field was generated by MyBatis Generator. This field corresponds to the database column
* tb_item.updated
*
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
private Date updated;
/**
* This method was generated by MyBatis Generator. This method returns the value of the database
* column tb_item.id
*
* @return the value of tb_item.id
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
public Long getId() {
return id;
}
/**
* This method was generated by MyBatis Generator. This method sets the value of the database
* column tb_item.id
*
* @param id the value for tb_item.id
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
public void setId(Long id) {
this.id = id;
}
/**
* This method was generated by MyBatis Generator. This method returns the value of the database
* column tb_item.title
*
* @return the value of tb_item.title
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
public String getTitle() {
return title;
}
/**
* This method was generated by MyBatis Generator. This method sets the value of the database
* column tb_item.title
*
* @param title the value for tb_item.title
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
public void setTitle(String title) {
this.title = title;
}
/**
* This method was generated by MyBatis Generator. This method returns the value of the database
* column tb_item.sell_point
*
* @return the value of tb_item.sell_point
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
public String getSellPoint() {
return sellPoint;
}
/**
* This method was generated by MyBatis Generator. This method sets the value of the database
* column tb_item.sell_point
*
* @param sellPoint the value for tb_item.sell_point
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
public void setSellPoint(String sellPoint) {
this.sellPoint = sellPoint;
}
/**
* This method was generated by MyBatis Generator. This method returns the value of the database
* column tb_item.price
*
* @return the value of tb_item.price
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
public Long getPrice() {
return price;
}
/**
* This method was generated by MyBatis Generator. This method sets the value of the database
* column tb_item.price
*
* @param price the value for tb_item.price
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
public void setPrice(Long price) {
this.price = price;
}
/**
* This method was generated by MyBatis Generator. This method returns the value of the database
* column tb_item.num
*
* @return the value of tb_item.num
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
public Integer getNum() {
return num;
}
/**
* This method was generated by MyBatis Generator. This method sets the value of the database
* column tb_item.num
*
* @param num the value for tb_item.num
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
public void setNum(Integer num) {
this.num = num;
}
/**
* This method was generated by MyBatis Generator. This method returns the value of the database
* column tb_item.barcode
*
* @return the value of tb_item.barcode
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
public String getBarcode() {
return barcode;
}
/**
* This method was generated by MyBatis Generator. This method sets the value of the database
* column tb_item.barcode
*
* @param barcode the value for tb_item.barcode
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
public void setBarcode(String barcode) {
this.barcode = barcode;
}
/**
* This method was generated by MyBatis Generator. This method returns the value of the database
* column tb_item.image
*
* @return the value of tb_item.image
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
public String getImage() {
return image;
}
/**
* This method was generated by MyBatis Generator. This method sets the value of the database
* column tb_item.image
*
* @param image the value for tb_item.image
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
public void setImage(String image) {
this.image = image;
}
/**
* This method was generated by MyBatis Generator. This method returns the value of the database
* column tb_item.cid
*
* @return the value of tb_item.cid
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
public Long getCid() {
return cid;
}
/**
* This method was generated by MyBatis Generator. This method sets the value of the database
* column tb_item.cid
*
* @param cid the value for tb_item.cid
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
public void setCid(Long cid) {
this.cid = cid;
}
/**
* This method was generated by MyBatis Generator. This method returns the value of the database
* column tb_item.status
*
* @return the value of tb_item.status
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
public Byte getStatus() {
return status;
}
/**
* This method was generated by MyBatis Generator. This method sets the value of the database
* column tb_item.status
*
* @param status the value for tb_item.status
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
public void setStatus(Byte status) {
this.status = status;
}
/**
* This method was generated by MyBatis Generator. This method returns the value of the database
* column tb_item.created
*
* @return the value of tb_item.created
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
public Date getCreated() {
return created;
}
/**
* This method was generated by MyBatis Generator. This method sets the value of the database
* column tb_item.created
*
* @param created the value for tb_item.created
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
public void setCreated(Date created) {
this.created = created;
}
/**
* This method was generated by MyBatis Generator. This method returns the value of the database
* column tb_item.updated
*
* @return the value of tb_item.updated
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
public Date getUpdated() {
return updated;
}
/**
* This method was generated by MyBatis Generator. This method sets the value of the database
* column tb_item.updated
*
* @param updated the value for tb_item.updated
* @mbg.generated Fri Apr 28 17:20:11 CST 2017
*/
public void setUpdated(Date updated) {
this.updated = updated;
}
}
| .version 52 0
.class public super TbItem
.super java/lang/Object
.implements java/io/Serializable
.field private id Ljava/lang/Long;
.field private title Ljava/lang/String;
.field private sellPoint Ljava/lang/String;
.field private price Ljava/lang/Long;
.field private num Ljava/lang/Integer;
.field private barcode Ljava/lang/String;
.field private image Ljava/lang/String;
.field private cid Ljava/lang/Long;
.field private status Ljava/lang/Byte;
.field private created Ljava/util/Date;
.field private updated Ljava/util/Date;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 6
.end linenumbertable
.end code
.end method
.method public getId : ()Ljava/lang/Long;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field TbItem id Ljava/lang/Long;
L4: areturn
L5:
.linenumbertable
L0 115
.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 TbItem id Ljava/lang/Long;
L5: return
L6:
.linenumbertable
L0 127
L5 128
.end linenumbertable
.end code
.end method
.method public getTitle : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field TbItem title Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 139
.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 TbItem title Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 151
L5 152
.end linenumbertable
.end code
.end method
.method public getSellPoint : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field TbItem sellPoint Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 163
.end linenumbertable
.end code
.end method
.method public setSellPoint : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field TbItem sellPoint Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 175
L5 176
.end linenumbertable
.end code
.end method
.method public getPrice : ()Ljava/lang/Long;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field TbItem price Ljava/lang/Long;
L4: areturn
L5:
.linenumbertable
L0 187
.end linenumbertable
.end code
.end method
.method public setPrice : (Ljava/lang/Long;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field TbItem price Ljava/lang/Long;
L5: return
L6:
.linenumbertable
L0 199
L5 200
.end linenumbertable
.end code
.end method
.method public getNum : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field TbItem num Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 211
.end linenumbertable
.end code
.end method
.method public setNum : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field TbItem num Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 223
L5 224
.end linenumbertable
.end code
.end method
.method public getBarcode : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field TbItem barcode Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 235
.end linenumbertable
.end code
.end method
.method public setBarcode : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field TbItem barcode Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 247
L5 248
.end linenumbertable
.end code
.end method
.method public getImage : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field TbItem image Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 259
.end linenumbertable
.end code
.end method
.method public setImage : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field TbItem image Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 271
L5 272
.end linenumbertable
.end code
.end method
.method public getCid : ()Ljava/lang/Long;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field TbItem cid Ljava/lang/Long;
L4: areturn
L5:
.linenumbertable
L0 283
.end linenumbertable
.end code
.end method
.method public setCid : (Ljava/lang/Long;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field TbItem cid Ljava/lang/Long;
L5: return
L6:
.linenumbertable
L0 295
L5 296
.end linenumbertable
.end code
.end method
.method public getStatus : ()Ljava/lang/Byte;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field TbItem status Ljava/lang/Byte;
L4: areturn
L5:
.linenumbertable
L0 307
.end linenumbertable
.end code
.end method
.method public setStatus : (Ljava/lang/Byte;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field TbItem status Ljava/lang/Byte;
L5: return
L6:
.linenumbertable
L0 319
L5 320
.end linenumbertable
.end code
.end method
.method public getCreated : ()Ljava/util/Date;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field TbItem created Ljava/util/Date;
L4: areturn
L5:
.linenumbertable
L0 331
.end linenumbertable
.end code
.end method
.method public setCreated : (Ljava/util/Date;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field TbItem created Ljava/util/Date;
L5: return
L6:
.linenumbertable
L0 343
L5 344
.end linenumbertable
.end code
.end method
.method public getUpdated : ()Ljava/util/Date;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field TbItem updated Ljava/util/Date;
L4: areturn
L5:
.linenumbertable
L0 355
.end linenumbertable
.end code
.end method
.method public setUpdated : (Ljava/util/Date;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field TbItem updated Ljava/util/Date;
L5: return
L6:
.linenumbertable
L0 367
L5 368
.end linenumbertable
.end code
.end method
.sourcefile 'TbItem.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 00:23:33 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 TbItem_ESTest extends TbItem_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
TbItem tbItem0 = new TbItem();
MockDate mockDate0 = new MockDate(0, 0, 45212, 0, 1, 0);
tbItem0.setUpdated(mockDate0);
Date date0 = tbItem0.getUpdated();
assertSame(date0, mockDate0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
TbItem tbItem0 = new TbItem();
tbItem0.setTitle("");
String string0 = tbItem0.getTitle();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
TbItem tbItem0 = new TbItem();
Byte byte0 = new Byte((byte)0);
tbItem0.setStatus(byte0);
Byte byte1 = tbItem0.getStatus();
assertEquals((byte)0, (byte)byte1);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
TbItem tbItem0 = new TbItem();
Byte byte0 = new Byte((byte)123);
tbItem0.setStatus(byte0);
Byte byte1 = tbItem0.getStatus();
assertEquals((byte)123, (byte)byte1);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
TbItem tbItem0 = new TbItem();
Byte byte0 = new Byte((byte) (-98));
tbItem0.setStatus(byte0);
Byte byte1 = tbItem0.getStatus();
assertEquals((byte) (-98), (byte)byte1);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
TbItem tbItem0 = new TbItem();
tbItem0.setSellPoint("k|f^K#(1?WTq,j");
String string0 = tbItem0.getSellPoint();
assertEquals("k|f^K#(1?WTq,j", string0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
TbItem tbItem0 = new TbItem();
Long long0 = new Long(0L);
tbItem0.setPrice(long0);
Long long1 = tbItem0.getPrice();
assertEquals(0L, (long)long1);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
TbItem tbItem0 = new TbItem();
Long long0 = new Long((-1L));
tbItem0.setPrice(long0);
Long long1 = tbItem0.getPrice();
assertEquals((-1L), (long)long1);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
TbItem tbItem0 = new TbItem();
Integer integer0 = Integer.valueOf(0);
tbItem0.setNum(integer0);
Integer integer1 = tbItem0.getNum();
assertEquals(0, (int)integer1);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
TbItem tbItem0 = new TbItem();
Integer integer0 = new Integer(1);
tbItem0.setNum(integer0);
Integer integer1 = tbItem0.getNum();
assertEquals(1, (int)integer1);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
TbItem tbItem0 = new TbItem();
Integer integer0 = new Integer((-28178));
tbItem0.setNum(integer0);
Integer integer1 = tbItem0.getNum();
assertEquals((-28178), (int)integer1);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
TbItem tbItem0 = new TbItem();
tbItem0.setImage("^v( aI*Mvs");
String string0 = tbItem0.getImage();
assertEquals("^v( aI*Mvs", string0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
TbItem tbItem0 = new TbItem();
Long long0 = new Long(0L);
tbItem0.setId(long0);
Long long1 = tbItem0.getId();
assertEquals(0L, (long)long1);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
TbItem tbItem0 = new TbItem();
Long long0 = new Long(73285L);
tbItem0.setId(long0);
Long long1 = tbItem0.getId();
assertEquals(73285L, (long)long1);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
TbItem tbItem0 = new TbItem();
Long long0 = new Long((-1L));
tbItem0.setId(long0);
Long long1 = tbItem0.getId();
assertEquals((-1L), (long)long1);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
TbItem tbItem0 = new TbItem();
MockDate mockDate0 = new MockDate();
tbItem0.setCreated(mockDate0);
Date date0 = tbItem0.getCreated();
assertSame(date0, mockDate0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
TbItem tbItem0 = new TbItem();
Long long0 = new Long(0L);
tbItem0.setCid(long0);
Long long1 = tbItem0.getCid();
assertEquals(0L, (long)long1);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
TbItem tbItem0 = new TbItem();
Long long0 = new Long((byte)32);
tbItem0.setCid(long0);
Long long1 = tbItem0.getCid();
assertEquals(32L, (long)long1);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
TbItem tbItem0 = new TbItem();
Long long0 = new Long((-80436L));
tbItem0.setCid(long0);
Long long1 = tbItem0.getCid();
assertEquals((-80436L), (long)long1);
}
@Test(timeout = 4000)
public void test19() throws Throwable {
TbItem tbItem0 = new TbItem();
tbItem0.setBarcode("c{?S,|.$VIt_");
String string0 = tbItem0.getBarcode();
assertEquals("c{?S,|.$VIt_", string0);
}
@Test(timeout = 4000)
public void test20() throws Throwable {
TbItem tbItem0 = new TbItem();
tbItem0.setTitle("^~ ]0t]R");
String string0 = tbItem0.getTitle();
assertEquals("^~ ]0t]R", string0);
}
@Test(timeout = 4000)
public void test21() throws Throwable {
TbItem tbItem0 = new TbItem();
String string0 = tbItem0.getImage();
assertNull(string0);
}
@Test(timeout = 4000)
public void test22() throws Throwable {
TbItem tbItem0 = new TbItem();
Long long0 = new Long(1L);
tbItem0.setPrice(long0);
Long long1 = tbItem0.getPrice();
assertEquals(1L, (long)long1);
}
@Test(timeout = 4000)
public void test23() throws Throwable {
TbItem tbItem0 = new TbItem();
tbItem0.setSellPoint("");
String string0 = tbItem0.getSellPoint();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test24() throws Throwable {
TbItem tbItem0 = new TbItem();
String string0 = tbItem0.getSellPoint();
assertNull(string0);
}
@Test(timeout = 4000)
public void test25() throws Throwable {
TbItem tbItem0 = new TbItem();
Long long0 = tbItem0.getId();
assertNull(long0);
}
@Test(timeout = 4000)
public void test26() throws Throwable {
TbItem tbItem0 = new TbItem();
String string0 = tbItem0.getBarcode();
assertNull(string0);
}
@Test(timeout = 4000)
public void test27() throws Throwable {
TbItem tbItem0 = new TbItem();
tbItem0.setBarcode("");
String string0 = tbItem0.getBarcode();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test28() throws Throwable {
TbItem tbItem0 = new TbItem();
Date date0 = tbItem0.getCreated();
assertNull(date0);
}
@Test(timeout = 4000)
public void test29() throws Throwable {
TbItem tbItem0 = new TbItem();
Byte byte0 = tbItem0.getStatus();
tbItem0.setStatus(byte0);
assertNull(tbItem0.getTitle());
}
@Test(timeout = 4000)
public void test30() throws Throwable {
TbItem tbItem0 = new TbItem();
Integer integer0 = tbItem0.getNum();
assertNull(integer0);
}
@Test(timeout = 4000)
public void test31() throws Throwable {
TbItem tbItem0 = new TbItem();
Long long0 = tbItem0.getPrice();
assertNull(long0);
}
@Test(timeout = 4000)
public void test32() throws Throwable {
TbItem tbItem0 = new TbItem();
Date date0 = tbItem0.getUpdated();
assertNull(date0);
}
@Test(timeout = 4000)
public void test33() throws Throwable {
TbItem tbItem0 = new TbItem();
String string0 = tbItem0.getTitle();
assertNull(string0);
}
@Test(timeout = 4000)
public void test34() throws Throwable {
TbItem tbItem0 = new TbItem();
tbItem0.setImage("");
String string0 = tbItem0.getImage();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test35() throws Throwable {
TbItem tbItem0 = new TbItem();
Long long0 = tbItem0.getCid();
assertNull(long0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 00:23: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 TbItem_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "TbItem";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpb2cuxwxn");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TbItem_ESTest_scaffolding.class.getClassLoader() ,
"TbItem"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TbItem_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"TbItem"
);
}
}
| 12,118 |
News | import java.io.Serializable;
import java.util.Date;
public class News implements Serializable {
private Integer news_id;
private String title;
private String content;
private Date date;
private String create_user;
private Integer orderNum;
private String defunct;
public News() {
// TODO Auto-generated constructor stub
this.orderNum = 0;
this.date = new Date();
this.defunct = "N";
}
public Integer getNews_id() {
return news_id;
}
public void setNews_id(Integer newsId) {
news_id = newsId;
}
public String getTitle() {
return title;
}
public void setTitle(String title) {
this.title = title;
}
public String getContent() {
return content;
}
public void setContent(String content) {
this.content = content;
}
public Date getDate() {
return date;
}
public void setDate(Date date) {
this.date = date;
}
public String getCreate_user() {
return create_user;
}
public void setCreate_user(String createUser) {
create_user = createUser;
}
public Integer getOrderNum() {
return orderNum;
}
public void setOrderNum(Integer orderNum) {
this.orderNum = orderNum;
}
public String getDefunct() {
return defunct;
}
public void setDefunct(String defunct) {
this.defunct = defunct;
}
}
| .version 52 0
.class public super News
.super java/lang/Object
.implements java/io/Serializable
.field private news_id Ljava/lang/Integer;
.field private title Ljava/lang/String;
.field private content Ljava/lang/String;
.field private date Ljava/util/Date;
.field private create_user Ljava/lang/String;
.field private orderNum Ljava/lang/Integer;
.field private defunct Ljava/lang/String;
.method public <init> : ()V
.code stack 3 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iconst_0
L6: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L9: putfield Field News orderNum Ljava/lang/Integer;
L12: aload_0
L13: new java/util/Date
L16: dup
L17: invokespecial Method java/util/Date <init> ()V
L20: putfield Field News date Ljava/util/Date;
L23: aload_0
L24: ldc 'N'
L26: putfield Field News defunct Ljava/lang/String;
L29: return
L30:
.linenumbertable
L0 18
L4 20
L12 21
L23 22
L29 23
.end linenumbertable
.end code
.end method
.method public getNews_id : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field News news_id Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 25
.end linenumbertable
.end code
.end method
.method public setNews_id : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field News news_id Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 28
L5 29
.end linenumbertable
.end code
.end method
.method public getTitle : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field News title Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 31
.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 News title Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 34
L5 35
.end linenumbertable
.end code
.end method
.method public getContent : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field News content Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 37
.end linenumbertable
.end code
.end method
.method public setContent : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field News content Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 40
L5 41
.end linenumbertable
.end code
.end method
.method public getDate : ()Ljava/util/Date;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field News date Ljava/util/Date;
L4: areturn
L5:
.linenumbertable
L0 43
.end linenumbertable
.end code
.end method
.method public setDate : (Ljava/util/Date;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field News date Ljava/util/Date;
L5: return
L6:
.linenumbertable
L0 46
L5 47
.end linenumbertable
.end code
.end method
.method public getCreate_user : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field News create_user Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 49
.end linenumbertable
.end code
.end method
.method public setCreate_user : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field News create_user Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 52
L5 53
.end linenumbertable
.end code
.end method
.method public getOrderNum : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field News orderNum Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 56
.end linenumbertable
.end code
.end method
.method public setOrderNum : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field News orderNum Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 59
L5 60
.end linenumbertable
.end code
.end method
.method public getDefunct : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field News defunct Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 62
.end linenumbertable
.end code
.end method
.method public setDefunct : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field News defunct Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 65
L5 66
.end linenumbertable
.end code
.end method
.sourcefile 'News.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 08:46:45 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.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class News_ESTest extends News_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
News news0 = new News();
news0.setTitle("{&lX}OUpM!bg7!R:n");
news0.getTitle();
assertEquals("N", news0.getDefunct());
assertEquals(0, (int)news0.getOrderNum());
}
@Test(timeout = 4000)
public void test01() throws Throwable {
News news0 = new News();
news0.setTitle("");
news0.getTitle();
assertEquals(0, (int)news0.getOrderNum());
assertEquals("N", news0.getDefunct());
}
@Test(timeout = 4000)
public void test02() throws Throwable {
News news0 = new News();
assertEquals(0, (int)news0.getOrderNum());
Integer integer0 = new Integer((-20668));
news0.setOrderNum(integer0);
news0.getOrderNum();
assertEquals("N", news0.getDefunct());
}
@Test(timeout = 4000)
public void test03() throws Throwable {
News news0 = new News();
assertEquals(0, (int)news0.getOrderNum());
Integer integer0 = new Integer(1);
news0.setOrderNum(integer0);
news0.getOrderNum();
assertEquals("N", news0.getDefunct());
}
@Test(timeout = 4000)
public void test04() throws Throwable {
News news0 = new News();
assertEquals(0, (int)news0.getOrderNum());
Integer integer0 = new Integer(12983);
news0.setOrderNum(integer0);
news0.getOrderNum();
assertEquals("N", news0.getDefunct());
}
@Test(timeout = 4000)
public void test05() throws Throwable {
News news0 = new News();
Integer integer0 = new Integer(1);
news0.setNews_id(integer0);
news0.getNews_id();
assertEquals(0, (int)news0.getOrderNum());
assertEquals("N", news0.getDefunct());
}
@Test(timeout = 4000)
public void test06() throws Throwable {
News news0 = new News();
Integer integer0 = new Integer((-4457));
news0.setNews_id(integer0);
news0.getNews_id();
assertEquals(0, (int)news0.getOrderNum());
assertEquals("N", news0.getDefunct());
}
@Test(timeout = 4000)
public void test07() throws Throwable {
News news0 = new News();
assertEquals("N", news0.getDefunct());
news0.setDefunct("");
news0.getDefunct();
assertEquals(0, (int)news0.getOrderNum());
}
@Test(timeout = 4000)
public void test08() throws Throwable {
News news0 = new News();
news0.setDate((Date) null);
news0.getDate();
assertEquals(0, (int)news0.getOrderNum());
assertEquals("N", news0.getDefunct());
}
@Test(timeout = 4000)
public void test09() throws Throwable {
News news0 = new News();
news0.setCreate_user("%c\"x_*Ii[");
news0.getCreate_user();
assertEquals("N", news0.getDefunct());
assertEquals(0, (int)news0.getOrderNum());
}
@Test(timeout = 4000)
public void test10() throws Throwable {
News news0 = new News();
news0.setCreate_user("");
news0.getCreate_user();
assertEquals(0, (int)news0.getOrderNum());
assertEquals("N", news0.getDefunct());
}
@Test(timeout = 4000)
public void test11() throws Throwable {
News news0 = new News();
news0.setContent("Cnhsj?-a*nE");
news0.getContent();
assertEquals("N", news0.getDefunct());
assertEquals(0, (int)news0.getOrderNum());
}
@Test(timeout = 4000)
public void test12() throws Throwable {
News news0 = new News();
news0.setContent("");
news0.getContent();
assertEquals(0, (int)news0.getOrderNum());
assertEquals("N", news0.getDefunct());
}
@Test(timeout = 4000)
public void test13() throws Throwable {
News news0 = new News();
assertEquals(0, (int)news0.getOrderNum());
news0.setOrderNum((Integer) null);
news0.getOrderNum();
assertEquals("N", news0.getDefunct());
}
@Test(timeout = 4000)
public void test14() throws Throwable {
News news0 = new News();
news0.getContent();
assertEquals(0, (int)news0.getOrderNum());
assertEquals("N", news0.getDefunct());
}
@Test(timeout = 4000)
public void test15() throws Throwable {
News news0 = new News();
news0.getTitle();
assertEquals(0, (int)news0.getOrderNum());
assertEquals("N", news0.getDefunct());
}
@Test(timeout = 4000)
public void test16() throws Throwable {
News news0 = new News();
String string0 = news0.getDefunct();
assertEquals(0, (int)news0.getOrderNum());
assertEquals("N", string0);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
News news0 = new News();
Date date0 = news0.getDate();
news0.setDate(date0);
assertEquals(0, (int)news0.getOrderNum());
assertEquals("N", news0.getDefunct());
}
@Test(timeout = 4000)
public void test18() throws Throwable {
News news0 = new News();
news0.getNews_id();
assertEquals("N", news0.getDefunct());
assertEquals(0, (int)news0.getOrderNum());
}
@Test(timeout = 4000)
public void test19() throws Throwable {
News news0 = new News();
assertEquals("N", news0.getDefunct());
news0.setDefunct((String) null);
news0.getDefunct();
assertEquals(0, (int)news0.getOrderNum());
}
@Test(timeout = 4000)
public void test20() throws Throwable {
News news0 = new News();
Integer integer0 = news0.getOrderNum();
news0.setNews_id(integer0);
Integer integer1 = news0.getNews_id();
assertEquals("N", news0.getDefunct());
assertEquals(0, (int)integer1);
}
@Test(timeout = 4000)
public void test21() throws Throwable {
News news0 = new News();
news0.getCreate_user();
assertEquals(0, (int)news0.getOrderNum());
assertEquals("N", news0.getDefunct());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 08:46: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 News_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "News";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.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_9et9hx");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(News_ESTest_scaffolding.class.getClassLoader() ,
"News"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(News_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"News"
);
}
}
| 12,119 |
VSOConstants | /*
* 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 Roberto
*/
public class VSOConstants {
private VSOConstants() {}
public static final String ASSERTION = "assertion";
public static final String CLIENT_ASSERTION_TYPE = "client_assertion_type";
public static final String CLIENT_ASSERTION = "client_assertion";
public static final String GRANT_TYPE = "grant_type";
}
| .version 52 0
.class public super VSOConstants
.super java/lang/Object
.field public static final ASSERTION Ljava/lang/String; = 'assertion'
.field public static final CLIENT_ASSERTION_TYPE Ljava/lang/String; = 'client_assertion_type'
.field public static final CLIENT_ASSERTION Ljava/lang/String; = 'client_assertion'
.field public static final GRANT_TYPE Ljava/lang/String; = 'grant_type'
.method private <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 14
.end linenumbertable
.end code
.end method
.sourcefile 'VSOConstants.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 17:39: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 VSOConstants_ESTest extends VSOConstants_ESTest_scaffolding {
@Test
public void notGeneratedAnyTest() {
// EvoSuite did not generate any tests
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 17:39:06 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 VSOConstants_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 = "VSOConstants";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.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(VSOConstants_ESTest_scaffolding.class.getClassLoader() ,
"VSOConstants"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(VSOConstants_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"VSOConstants"
);
}
}
| 12,120 |
Constants | public class Constants {
public static final String ALFI_PERSISTENCE_UNIT = "com.creationguts.alfi";
}
| .version 52 0
.class public super Constants
.super java/lang/Object
.field public static final ALFI_PERSISTENCE_UNIT Ljava/lang/String; = 'com.creationguts.alfi'
.method 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 'Constants.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 12:36: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 Constants_ESTest extends Constants_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Constants constants0 = new Constants();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 12:36: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 Constants_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Constants";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmprqbj_sl2");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Constants_ESTest_scaffolding.class.getClassLoader() ,
"Constants"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Constants_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Constants"
);
}
}
| 12,121 |
App | import java.util.ArrayList;
import java.util.List;
public class App {
private String appName;
private List<String> authenrizeItemList;
public String getAppName() {
return appName;
}
public void setAppName(String appName) {
this.appName = appName;
}
public List<String> getAuthenrizeItemList() {
return authenrizeItemList;
}
public void setAuthenrizeItemList(List<String> authenrizeItemList) {
this.authenrizeItemList = authenrizeItemList;
}
public App(int i) {
appName = "Ó¦ÓÃÃû³Æ" + i;
authenrizeItemList = new ArrayList<String>();
authenrizeItemList.add("ÊÚȨµã1£ºbalabala...");
authenrizeItemList.add("ÊÚȨµã2£ºbalabala...");
authenrizeItemList.add("ÊÚȨµã3£ºbalabala...");
authenrizeItemList.add("ÊÚȨµã4£ºbalabala...");
authenrizeItemList.add("ÊÚȨµã5£ºbalabala...");
}
}
| .version 52 0
.class public super App
.super java/lang/Object
.field private appName Ljava/lang/String;
.field private authenrizeItemList Ljava/util/List; .fieldattributes
.signature Ljava/util/List<Ljava/lang/String;>;
.end fieldattributes
.method public getAppName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field App appName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 10
.end linenumbertable
.end code
.end method
.method public setAppName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field App appName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 13
L5 14
.end linenumbertable
.end code
.end method
.method public getAuthenrizeItemList : ()Ljava/util/List;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field App authenrizeItemList Ljava/util/List;
L4: areturn
L5:
.linenumbertable
L0 16
.end linenumbertable
.end code
.signature ()Ljava/util/List<Ljava/lang/String;>;
.end method
.method public setAuthenrizeItemList : (Ljava/util/List;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field App authenrizeItemList Ljava/util/List;
L5: return
L6:
.linenumbertable
L0 19
L5 20
.end linenumbertable
.end code
.signature (Ljava/util/List<Ljava/lang/String;>;)V
.end method
.method public <init> : (I)V
.code stack 3 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: new java/lang/StringBuilder
L8: dup
L9: invokespecial Method java/lang/StringBuilder <init> ()V
L12: ldc 'Ó¦ÓÃÃû³Æ'
L14: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L17: iload_1
L18: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L21: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L24: putfield Field App appName Ljava/lang/String;
L27: aload_0
L28: new java/util/ArrayList
L31: dup
L32: invokespecial Method java/util/ArrayList <init> ()V
L35: putfield Field App authenrizeItemList Ljava/util/List;
L38: aload_0
L39: getfield Field App authenrizeItemList Ljava/util/List;
L42: ldc 'ÊÚȨµã1£ºbalabala...'
L44: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L49: pop
L50: aload_0
L51: getfield Field App authenrizeItemList Ljava/util/List;
L54: ldc 'ÊÚȨµã2£ºbalabala...'
L56: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L61: pop
L62: aload_0
L63: getfield Field App authenrizeItemList Ljava/util/List;
L66: ldc 'ÊÚȨµã3£ºbalabala...'
L68: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L73: pop
L74: aload_0
L75: getfield Field App authenrizeItemList Ljava/util/List;
L78: ldc 'ÊÚȨµã4£ºbalabala...'
L80: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L85: pop
L86: aload_0
L87: getfield Field App authenrizeItemList Ljava/util/List;
L90: ldc 'ÊÚȨµã5£ºbalabala...'
L92: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L97: pop
L98: return
L99:
.linenumbertable
L0 21
L4 22
L27 23
L38 24
L50 25
L62 26
L74 27
L86 28
L98 29
.end linenumbertable
.end code
.end method
.sourcefile 'App.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 16:35:04 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.util.LinkedList;
import java.util.List;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class App_ESTest extends App_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
App app0 = new App(1);
app0.setAuthenrizeItemList((List<String>) null);
app0.getAuthenrizeItemList();
assertEquals("\u00D3\u00A6\u00D3\u00C3\u00C3\u00FB\u00B3\u00C61", app0.getAppName());
}
@Test(timeout = 4000)
public void test1() throws Throwable {
App app0 = new App((-76352));
LinkedList<String> linkedList0 = new LinkedList<String>();
app0.setAuthenrizeItemList(linkedList0);
app0.getAuthenrizeItemList();
assertEquals("\u00D3\u00A6\u00D3\u00C3\u00C3\u00FB\u00B3\u00C6-76352", app0.getAppName());
}
@Test(timeout = 4000)
public void test2() throws Throwable {
App app0 = new App((-13366));
app0.setAppName((String) null);
String string0 = app0.getAppName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
App app0 = new App(0);
app0.setAppName("");
String string0 = app0.getAppName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
App app0 = new App((-23));
String string0 = app0.getAppName();
assertEquals("\u00D3\u00A6\u00D3\u00C3\u00C3\u00FB\u00B3\u00C6-23", string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
App app0 = new App((-23));
List<String> list0 = app0.getAuthenrizeItemList();
app0.setAuthenrizeItemList(list0);
assertEquals("\u00D3\u00A6\u00D3\u00C3\u00C3\u00FB\u00B3\u00C6-23", app0.getAppName());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 16:35: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 App_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "App";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpc75w37cr");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(App_ESTest_scaffolding.class.getClassLoader() ,
"App"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(App_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"App"
);
}
}
| 12,122 |
CalcNoiseResult | public class CalcNoiseResult {
/** sum of quantization noise > masking */
float over_noise;
/** sum of all quantization noise */
float tot_noise;
/** max quantization noise */
float max_noise;
/** number of quantization noise > masking */
int over_count;
/** SSD-like cost of distorted bands */
int over_SSD;
int bits;
}
| .version 52 0
.class public super CalcNoiseResult
.super java/lang/Object
.field over_noise F
.field tot_noise F
.field max_noise F
.field over_count I
.field over_SSD I
.field bits I
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 3
.end linenumbertable
.end code
.end method
.sourcefile 'CalcNoiseResult.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 21:50: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 CalcNoiseResult_ESTest extends CalcNoiseResult_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
CalcNoiseResult calcNoiseResult0 = new CalcNoiseResult();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 21:50: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 CalcNoiseResult_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "CalcNoiseResult";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpbmn7ofdp");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CalcNoiseResult_ESTest_scaffolding.class.getClassLoader() ,
"CalcNoiseResult"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CalcNoiseResult_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"CalcNoiseResult"
);
}
}
| 12,123 |
T | /**
* Copyright (C) 2013-2016 The Rythm Engine project for LICENSE and other details see:
* https://github.com/rythmengine/rythmengine
*/
/**
* Created with IntelliJ IDEA. User: luog Date: 6/04/13 Time: 3:36 PM To change this template use
* File | Settings | File Templates.
*/
public class T {}
| .version 52 0
.class public super T
.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
.sourcefile 'T.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 19:43: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 T_ESTest extends T_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
T t0 = new T();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 19:43:52 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class T_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "T";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpx77aiax2");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(T_ESTest_scaffolding.class.getClassLoader() ,
"T"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(T_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"T"
);
}
}
| 12,124 |
StratosConstants | /*
* 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 class StratosConstants {
public static final String CLOUD_SERVICE_IS_ACTIVE_PROP_KEY = "active";
public static final String CLOUD_SERVICE_INFO_STORE_PATH =
"/repository/components/org.wso2.stratos/cloud-manager/cloud-services";
public static final String TENANT_USER_VALIDATION_STORE_PATH =
"/repository/components/org.wso2.carbon.validations";
public static final String ADMIN_EMAIL_VERIFICATION_FLAG_PATH =
"/repository/components/org.wso2.carbon.email-confirmation-flag";
public static final String TENANT_DOMAIN_VERIFICATION_FLAG_PATH =
"/repository/components/org.wso2.carbon.domain-confirmation-flag";
public static final String DOMAIN_VALIDATOR_INFO_PATH =
"/repository/components/org.wso2.carbon.domain-validator-info";
public static final String TENANT_CREATION_THEME_PAGE_TOKEN =
"/repository/components/org.wso2.carbon.theme-page-token";
public static final String TENANT_PACKAGE_INFO_PATH =
"/repository/components/org.wso2.carbon.package-info";
public static final String ALL_THEMES_PATH = "/repository/components/org.wso2.carbon.all-themes";
public static final String THROTTLING_RULES_PATH =
"/repository/components/org.wso2.carbon.throttling-rules";
public static final String ORIGINATED_SERVICE_PATH =
"/repository/components/org.wso2.carbon.originated-service";
public static final String PATH_SEPARATOR = "/";
public static final String CLOUD_SERVICE_ICONS_STORE_PATH =
"/repository/components/org.wso2.carbon.cloud-manager/" + "cloud-services-icons";
public static final String VALIDATION_KEY_RESOURCE_NAME = "validation-key";
public static final String INCOMING_PATH_DIR = "incoming";
public static final String OUTGOING_PATH_DIR = "outgoing";
public static final String MULTITENANCY_SCHEDULED_TASK_ID = "multitenancyScheduledTask";
public static final String MULTITENANCY_VIEWING_TASK_ID = "multitenancyViewingTask";
public static final String INVALID_TENANT = "invalidTenant";
public static final String INACTIVE_TENANT = "inactiveTenant";
public static final String ACTIVE_TENANT = "activeTenant";
public static final String IS_EMAIL_VALIDATED = "isEmailValidated";
public static final String IS_CREDENTIALS_ALREADY_RESET = "isCredentialsReset";
public static final String TENANT_ADMIN = "tenantAdminUsername";
public static final String CLOUD_MANAGER_SERVICE = "WSO2 Stratos Manager";
public static final String CLOUD_IDENTITY_SERVICE = "WSO2 Stratos Identity";
public static final String CLOUD_GOVERNANCE_SERVICE = "WSO2 Stratos Governance";
public static final String CLOUD_ESB_SERVICE = "WSO2 Stratos Enterprise Service Bus";
// keystore mgt related Constants
public static final String TENANT_KS = "/repository/security/key-stores/";
public static final String TENANT_PUB_KEY = "/repository/security/pub-key";
public static final String PROP_TENANT_KS_TYPE = "key-store-type";
public static final String PROP_TENANT_KS_PASSWD = "key-store-password";
public static final String PROP_TENANT_KS_PRIV_KEY_PASSWD = "priv-key-password";
public static final String PROP_TENANT_KS_ALIAS = "alias";
// constants related to redirection
public static final String UNVERIFIED_ACCOUNT_DOMAIN_SUFFIX = "-unverified";
public static final String TENANT_SPECIFIC_URL_RESOLVED = "tenant-sepcific-url-resolved";
public static final String SUFFIXED_UNVERIFIED_SESSION_FLAG = "temp-suffixed-unverified";
// metering constants
public static final String THROTTLING_ALL_ACTION = "all_actions";
public static final String THROTTLING_IN_DATA_ACTION =
"in_data_action"; // this covers registry capacity + registry bandwidth
public static final String THROTTLING_OUT_DATA_ACTION =
"out_data_action"; // this covers registry bandwidth
public static final String THROTTLING_ADD_USER_ACTION = "add_user_action";
public static final String THROTTLING_SERVICE_IN_BANDWIDTH_ACTION = "service_in_bandwith_action";
public static final String THROTTLING_SERVICE_OUT_BANDWIDTH_ACTION =
"service_out_bandwith_action";
public static final String THROTTLING_WEBAPP_IN_BANDWIDTH_ACTION = "webapp_in_bandwith_action";
public static final String THROTTLING_WEBAPP_OUT_BANDWIDTH_ACTION = "webapp_out_bandwith_action";
public static final String THROTTLING_SERVICE_REQUEST_ACTION = "service_request_action";
public static final String THROTTLING_SERVICE_RESPONSE_ACTION = "service_response_action";
// the session attribute to keep track whether the registry action validated
// and the usage persisted
public static final String REGISTRY_ACTION_VALIDATED_SESSION_ATTR = "registryActionValidated";
public static final String REGISTRY_USAGE_PERSISTED_SESSION_ATTR = "usagePersited";
// Metering servlet attributes
public static final String SERVICE_NAME_SERVLET_ATTR = "meteringServiceName";
public static final String TENANT_ID_SERVLET_ATTR = "tenantId";
public static final String ADMIN_SERVICE_SERVLET_ATTR = "adminService";
// * as a Service impl related constants
public static final String ORIGINATED_SERVICE = "originatedService";
// Configuration file name
public static final String STRATOS_CONF_FILE = "stratos.xml";
// public static final String STRATOS_CONF_LOC = "repository/conf/";
// public static final String STRATOS_CONF_FILE_WITH_PATH = STRATOS_CONF_LOC + STRATOS_CONF_FILE;
// EULA location
public static final String STRATOS_EULA = "eula.xml";
// EULA default text.
public static final String STRATOS_EULA_DEFAULT_TEXT =
"Please refer to: "
+ StratosConstants.STRATOS_TERMS_OF_USAGE
+ " for terms and usage and "
+ StratosConstants.STRATOS_PRIVACY_POLICY
+ " for privacy policy of WSO2 Stratos.";
// Web location of Terms of Usage and privacy policy
public static final String STRATOS_TERMS_OF_USAGE =
"http://wso2.com/cloud/services/terms-of-use/";
public static final String STRATOS_PRIVACY_POLICY =
"http://wso2.com/cloud/services/privacy-policy/";
public static final String MULTITENANCY_FREE_PLAN = "Demo";
public static final String MULTITENANCY_SMALL_PLAN = "SMB";
public static final String MULTITENANCY_MEDIUM_PLAN = "Professional";
public static final String MULTITENANCY_LARGE_PLAN = "Enterprise";
public static final String EMAIL_CONFIG = "email";
public static final String MULTITENANCY_CONFIG_FOLDER = "multitenancy";
}
| .version 52 0
.class public super StratosConstants
.super java/lang/Object
.field public static final CLOUD_SERVICE_IS_ACTIVE_PROP_KEY Ljava/lang/String; = 'active'
.field public static final CLOUD_SERVICE_INFO_STORE_PATH Ljava/lang/String; = '/repository/components/org.wso2.stratos/cloud-manager/cloud-services'
.field public static final TENANT_USER_VALIDATION_STORE_PATH Ljava/lang/String; = '/repository/components/org.wso2.carbon.validations'
.field public static final ADMIN_EMAIL_VERIFICATION_FLAG_PATH Ljava/lang/String; = '/repository/components/org.wso2.carbon.email-confirmation-flag'
.field public static final TENANT_DOMAIN_VERIFICATION_FLAG_PATH Ljava/lang/String; = '/repository/components/org.wso2.carbon.domain-confirmation-flag'
.field public static final DOMAIN_VALIDATOR_INFO_PATH Ljava/lang/String; = '/repository/components/org.wso2.carbon.domain-validator-info'
.field public static final TENANT_CREATION_THEME_PAGE_TOKEN Ljava/lang/String; = '/repository/components/org.wso2.carbon.theme-page-token'
.field public static final TENANT_PACKAGE_INFO_PATH Ljava/lang/String; = '/repository/components/org.wso2.carbon.package-info'
.field public static final ALL_THEMES_PATH Ljava/lang/String; = '/repository/components/org.wso2.carbon.all-themes'
.field public static final THROTTLING_RULES_PATH Ljava/lang/String; = '/repository/components/org.wso2.carbon.throttling-rules'
.field public static final ORIGINATED_SERVICE_PATH Ljava/lang/String; = '/repository/components/org.wso2.carbon.originated-service'
.field public static final PATH_SEPARATOR Ljava/lang/String; = '/'
.field public static final CLOUD_SERVICE_ICONS_STORE_PATH Ljava/lang/String; = '/repository/components/org.wso2.carbon.cloud-manager/cloud-services-icons'
.field public static final VALIDATION_KEY_RESOURCE_NAME Ljava/lang/String; = 'validation-key'
.field public static final INCOMING_PATH_DIR Ljava/lang/String; = 'incoming'
.field public static final OUTGOING_PATH_DIR Ljava/lang/String; = 'outgoing'
.field public static final MULTITENANCY_SCHEDULED_TASK_ID Ljava/lang/String; = 'multitenancyScheduledTask'
.field public static final MULTITENANCY_VIEWING_TASK_ID Ljava/lang/String; = 'multitenancyViewingTask'
.field public static final INVALID_TENANT Ljava/lang/String; = 'invalidTenant'
.field public static final INACTIVE_TENANT Ljava/lang/String; = 'inactiveTenant'
.field public static final ACTIVE_TENANT Ljava/lang/String; = 'activeTenant'
.field public static final IS_EMAIL_VALIDATED Ljava/lang/String; = 'isEmailValidated'
.field public static final IS_CREDENTIALS_ALREADY_RESET Ljava/lang/String; = 'isCredentialsReset'
.field public static final TENANT_ADMIN Ljava/lang/String; = 'tenantAdminUsername'
.field public static final CLOUD_MANAGER_SERVICE Ljava/lang/String; = 'WSO2 Stratos Manager'
.field public static final CLOUD_IDENTITY_SERVICE Ljava/lang/String; = 'WSO2 Stratos Identity'
.field public static final CLOUD_GOVERNANCE_SERVICE Ljava/lang/String; = 'WSO2 Stratos Governance'
.field public static final CLOUD_ESB_SERVICE Ljava/lang/String; = 'WSO2 Stratos Enterprise Service Bus'
.field public static final TENANT_KS Ljava/lang/String; = '/repository/security/key-stores/'
.field public static final TENANT_PUB_KEY Ljava/lang/String; = '/repository/security/pub-key'
.field public static final PROP_TENANT_KS_TYPE Ljava/lang/String; = 'key-store-type'
.field public static final PROP_TENANT_KS_PASSWD Ljava/lang/String; = 'key-store-password'
.field public static final PROP_TENANT_KS_PRIV_KEY_PASSWD Ljava/lang/String; = 'priv-key-password'
.field public static final PROP_TENANT_KS_ALIAS Ljava/lang/String; = 'alias'
.field public static final UNVERIFIED_ACCOUNT_DOMAIN_SUFFIX Ljava/lang/String; = '-unverified'
.field public static final TENANT_SPECIFIC_URL_RESOLVED Ljava/lang/String; = 'tenant-sepcific-url-resolved'
.field public static final SUFFIXED_UNVERIFIED_SESSION_FLAG Ljava/lang/String; = 'temp-suffixed-unverified'
.field public static final THROTTLING_ALL_ACTION Ljava/lang/String; = 'all_actions'
.field public static final THROTTLING_IN_DATA_ACTION Ljava/lang/String; = 'in_data_action'
.field public static final THROTTLING_OUT_DATA_ACTION Ljava/lang/String; = 'out_data_action'
.field public static final THROTTLING_ADD_USER_ACTION Ljava/lang/String; = 'add_user_action'
.field public static final THROTTLING_SERVICE_IN_BANDWIDTH_ACTION Ljava/lang/String; = 'service_in_bandwith_action'
.field public static final THROTTLING_SERVICE_OUT_BANDWIDTH_ACTION Ljava/lang/String; = 'service_out_bandwith_action'
.field public static final THROTTLING_WEBAPP_IN_BANDWIDTH_ACTION Ljava/lang/String; = 'webapp_in_bandwith_action'
.field public static final THROTTLING_WEBAPP_OUT_BANDWIDTH_ACTION Ljava/lang/String; = 'webapp_out_bandwith_action'
.field public static final THROTTLING_SERVICE_REQUEST_ACTION Ljava/lang/String; = 'service_request_action'
.field public static final THROTTLING_SERVICE_RESPONSE_ACTION Ljava/lang/String; = 'service_response_action'
.field public static final REGISTRY_ACTION_VALIDATED_SESSION_ATTR Ljava/lang/String; = 'registryActionValidated'
.field public static final REGISTRY_USAGE_PERSISTED_SESSION_ATTR Ljava/lang/String; = 'usagePersited'
.field public static final SERVICE_NAME_SERVLET_ATTR Ljava/lang/String; = 'meteringServiceName'
.field public static final TENANT_ID_SERVLET_ATTR Ljava/lang/String; = 'tenantId'
.field public static final ADMIN_SERVICE_SERVLET_ATTR Ljava/lang/String; = 'adminService'
.field public static final ORIGINATED_SERVICE Ljava/lang/String; = 'originatedService'
.field public static final STRATOS_CONF_FILE Ljava/lang/String; = 'stratos.xml'
.field public static final STRATOS_EULA Ljava/lang/String; = 'eula.xml'
.field public static final STRATOS_EULA_DEFAULT_TEXT Ljava/lang/String; = 'Please refer to: http://wso2.com/cloud/services/terms-of-use/ for terms and usage and http://wso2.com/cloud/services/privacy-policy/ for privacy policy of WSO2 Stratos.'
.field public static final STRATOS_TERMS_OF_USAGE Ljava/lang/String; = 'http://wso2.com/cloud/services/terms-of-use/'
.field public static final STRATOS_PRIVACY_POLICY Ljava/lang/String; = 'http://wso2.com/cloud/services/privacy-policy/'
.field public static final MULTITENANCY_FREE_PLAN Ljava/lang/String; = 'Demo'
.field public static final MULTITENANCY_SMALL_PLAN Ljava/lang/String; = 'SMB'
.field public static final MULTITENANCY_MEDIUM_PLAN Ljava/lang/String; = 'Professional'
.field public static final MULTITENANCY_LARGE_PLAN Ljava/lang/String; = 'Enterprise'
.field public static final EMAIL_CONFIG Ljava/lang/String; = 'email'
.field public static final MULTITENANCY_CONFIG_FOLDER Ljava/lang/String; = 'multitenancy'
.method 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 'StratosConstants.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 07:37:56 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class StratosConstants_ESTest extends StratosConstants_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
StratosConstants stratosConstants0 = new StratosConstants();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 07:37:56 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class StratosConstants_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "StratosConstants";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp4he1ux8v");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(StratosConstants_ESTest_scaffolding.class.getClassLoader() ,
"StratosConstants"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(StratosConstants_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"StratosConstants"
);
}
}
| 12,125 |
Fridge | /*
* To change this template, choose Tools | Templates
* and open the template in the editor.
*/
import java.util.List;
/**
* @author domguinard
*/
public class Fridge {
private String name;
private String description;
private List putOrRemoveLog;
public Fridge() {}
public Fridge(String name, String description) {
this.name = name;
this.description = description;
}
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 List getPutOrRemoveLog() {
return putOrRemoveLog;
}
public void setPutOrRemoveLog(List putOrRemoveLog) {
this.putOrRemoveLog = putOrRemoveLog;
}
}
| .version 52 0
.class public super Fridge
.super java/lang/Object
.field private name Ljava/lang/String;
.field private description Ljava/lang/String;
.field private putOrRemoveLog Ljava/util/List;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 19
L4 20
.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 Fridge name Ljava/lang/String;
L9: aload_0
L10: aload_2
L11: putfield Field Fridge description Ljava/lang/String;
L14: return
L15:
.linenumbertable
L0 22
L4 23
L9 24
L14 25
.end linenumbertable
.end code
.end method
.method public getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Fridge name Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 28
.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 Fridge name Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 32
L5 33
.end linenumbertable
.end code
.end method
.method public getDescription : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Fridge description Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 36
.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 Fridge description Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 40
L5 41
.end linenumbertable
.end code
.end method
.method public getPutOrRemoveLog : ()Ljava/util/List;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Fridge putOrRemoveLog Ljava/util/List;
L4: areturn
L5:
.linenumbertable
L0 44
.end linenumbertable
.end code
.end method
.method public setPutOrRemoveLog : (Ljava/util/List;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Fridge putOrRemoveLog Ljava/util/List;
L5: return
L6:
.linenumbertable
L0 48
L5 49
.end linenumbertable
.end code
.end method
.sourcefile 'Fridge.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 15:34:51 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.util.LinkedList;
import java.util.List;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Fridge_ESTest extends Fridge_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Fridge fridge0 = new Fridge();
LinkedList<String> linkedList0 = new LinkedList<String>();
fridge0.setPutOrRemoveLog(linkedList0);
List list0 = fridge0.getPutOrRemoveLog();
assertEquals(0, list0.size());
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Fridge fridge0 = new Fridge("q2Wq._`N", "");
LinkedList<Integer> linkedList0 = new LinkedList<Integer>();
Integer integer0 = new Integer((-9838));
linkedList0.add(integer0);
fridge0.setPutOrRemoveLog(linkedList0);
List list0 = fridge0.getPutOrRemoveLog();
assertFalse(list0.isEmpty());
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Fridge fridge0 = new Fridge("2", "2");
String string0 = fridge0.getName();
assertEquals("2", string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Fridge fridge0 = new Fridge();
fridge0.setName("");
String string0 = fridge0.getName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Fridge fridge0 = new Fridge("", "Fridge");
String string0 = fridge0.getDescription();
assertEquals("Fridge", string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Fridge fridge0 = new Fridge("S-5[lW||<W=,", "");
String string0 = fridge0.getDescription();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
Fridge fridge0 = new Fridge((String) null, (String) null);
List list0 = fridge0.getPutOrRemoveLog();
assertNull(list0);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
Fridge fridge0 = new Fridge();
String string0 = fridge0.getDescription();
assertNull(string0);
}
@Test(timeout = 4000)
public void test8() throws Throwable {
Fridge fridge0 = new Fridge();
fridge0.setDescription((String) null);
assertNull(fridge0.getName());
}
@Test(timeout = 4000)
public void test9() throws Throwable {
Fridge fridge0 = new Fridge();
String string0 = fridge0.getName();
assertNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 15:34: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 Fridge_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Fridge";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp6xp9xl7d");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Fridge_ESTest_scaffolding.class.getClassLoader() ,
"Fridge"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Fridge_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Fridge"
);
}
}
| 12,126 |
AutonomousService | /*
* Part of the ROBOID project
* Copyright (C) 2016 Kwang-Hyun Park (akaii@kw.ac.kr) and Kyoung Jin Kim
* https://github.com/roboidstudio/embedded
*
* This library 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 library 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 library; if not, write to the
* Free Software Foundation, Inc., 59 Temple Place, Suite 330,
* Boston, MA 02111-1307 USA
*/
/**
* Not used for the current version
*
* @author Kyoung Jin Kim
*/
public class AutonomousService {}
| .version 52 0
.class public super AutonomousService
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 29
.end linenumbertable
.end code
.end method
.sourcefile 'AutonomousService.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 00:25: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 AutonomousService_ESTest extends AutonomousService_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
AutonomousService autonomousService0 = new AutonomousService();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 00:25: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 AutonomousService_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "AutonomousService";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpa3jmt5t6");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(AutonomousService_ESTest_scaffolding.class.getClassLoader() ,
"AutonomousService"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AutonomousService_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"AutonomousService"
);
}
}
| 12,127 |
Solution | import java.util.*;
/** Script Created by daidai on 2017/3/30. */
public class Solution {
public static void solution() {}
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
int m = scanner.nextInt();
int n = scanner.nextInt();
List<String> copy = new ArrayList<>();
List<HashSet<String>> input = new ArrayList<>();
scanner.nextLine();
for (int i = 0; i < m; i++) {
String string = scanner.nextLine();
copy.add(string);
String[] strings = string.split(" ");
input.add(new HashSet<>(Arrays.asList(strings)));
}
List<HashSet<String>> query = new ArrayList<>();
for (int i = 0; i < n; i++) {
String[] strings = scanner.nextLine().split(" ");
query.add(new HashSet<>(Arrays.asList(strings)));
}
List<String> res = new ArrayList<>();
for (int i = 0; i < n; i++) {
int index = -1;
int count = Integer.MIN_VALUE;
for (int j = 0; j < m; j++) {
HashSet<String> q = new HashSet<>(query.get(i));
int before = q.size();
q.retainAll(input.get(j));
int inter = q.size();
if (inter > count) {
index = j;
count = inter;
}
}
res.add(copy.get(index));
}
for (int i = 0; i < res.size(); i++) {
System.out.println(res.get(i));
}
}
}
| .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 9
.end linenumbertable
.end code
.end method
.method public static solution : ()V
.code stack 0 locals 0
L0: return
L1:
.linenumbertable
L0 13
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 4 locals 15
L0: new java/util/Scanner
L3: dup
L4: getstatic Field java/lang/System in Ljava/io/InputStream;
L7: invokespecial Method java/util/Scanner <init> (Ljava/io/InputStream;)V
L10: astore_1
L11: aload_1
L12: invokevirtual Method java/util/Scanner nextInt ()I
L15: istore_2
L16: aload_1
L17: invokevirtual Method java/util/Scanner nextInt ()I
L20: istore_3
L21: new java/util/ArrayList
L24: dup
L25: invokespecial Method java/util/ArrayList <init> ()V
L28: astore 4
L30: new java/util/ArrayList
L33: dup
L34: invokespecial Method java/util/ArrayList <init> ()V
L37: astore 5
L39: aload_1
L40: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String;
L43: pop
L44: iconst_0
L45: istore 6
.stack full
locals Object [Ljava/lang/String; Object java/util/Scanner Integer Integer Object java/util/List Object java/util/List Integer
stack
.end stack
L47: iload 6
L49: iload_2
L50: if_icmpge L104
L53: aload_1
L54: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String;
L57: astore 7
L59: aload 4
L61: aload 7
L63: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L68: pop
L69: aload 7
L71: ldc ' '
L73: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String;
L76: astore 8
L78: aload 5
L80: new java/util/HashSet
L83: dup
L84: aload 8
L86: invokestatic Method java/util/Arrays asList ([Ljava/lang/Object;)Ljava/util/List;
L89: invokespecial Method java/util/HashSet <init> (Ljava/util/Collection;)V
L92: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L97: pop
L98: iinc 6 1
L101: goto L47
.stack chop 1
L104: new java/util/ArrayList
L107: dup
L108: invokespecial Method java/util/ArrayList <init> ()V
L111: astore 6
L113: iconst_0
L114: istore 7
.stack append Object java/util/List Integer
L116: iload 7
L118: iload_3
L119: if_icmpge L159
L122: aload_1
L123: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String;
L126: ldc ' '
L128: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String;
L131: astore 8
L133: aload 6
L135: new java/util/HashSet
L138: dup
L139: aload 8
L141: invokestatic Method java/util/Arrays asList ([Ljava/lang/Object;)Ljava/util/List;
L144: invokespecial Method java/util/HashSet <init> (Ljava/util/Collection;)V
L147: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L152: pop
L153: iinc 7 1
L156: goto L116
.stack chop 1
L159: new java/util/ArrayList
L162: dup
L163: invokespecial Method java/util/ArrayList <init> ()V
L166: astore 7
L168: iconst_0
L169: istore 8
.stack append Object java/util/List Integer
L171: iload 8
L173: iload_3
L174: if_icmpge L290
L177: iconst_m1
L178: istore 9
L180: ldc -2147483648
L182: istore 10
L184: iconst_0
L185: istore 11
.stack append Integer Integer Integer
L187: iload 11
L189: iload_2
L190: if_icmpge L267
L193: new java/util/HashSet
L196: dup
L197: aload 6
L199: iload 8
L201: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L206: checkcast java/util/Collection
L209: invokespecial Method java/util/HashSet <init> (Ljava/util/Collection;)V
L212: astore 12
L214: aload 12
L216: invokevirtual Method java/util/HashSet size ()I
L219: istore 13
L221: aload 12
L223: aload 5
L225: iload 11
L227: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L232: checkcast java/util/Collection
L235: invokevirtual Method java/util/HashSet retainAll (Ljava/util/Collection;)Z
L238: pop
L239: aload 12
L241: invokevirtual Method java/util/HashSet size ()I
L244: istore 14
L246: iload 14
L248: iload 10
L250: if_icmple L261
L253: iload 11
L255: istore 9
L257: iload 14
L259: istore 10
.stack same_extended
L261: iinc 11 1
L264: goto L187
.stack chop 1
L267: aload 7
L269: aload 4
L271: iload 9
L273: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L278: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L283: pop
L284: iinc 8 1
L287: goto L171
.stack chop 3
L290: iconst_0
L291: istore 8
.stack append Integer
L293: iload 8
L295: aload 7
L297: invokeinterface InterfaceMethod java/util/List size ()I 1
L302: if_icmpge L329
L305: getstatic Field java/lang/System out Ljava/io/PrintStream;
L308: aload 7
L310: iload 8
L312: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L317: checkcast java/lang/String
L320: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L323: iinc 8 1
L326: goto L293
.stack chop 1
L329: return
L330:
.linenumbertable
L0 16
L11 17
L16 18
L21 20
L30 21
L39 22
L44 23
L53 24
L59 25
L69 26
L78 27
L98 23
L104 30
L113 31
L122 32
L133 33
L153 31
L159 36
L168 37
L177 38
L180 39
L184 40
L193 41
L214 42
L221 43
L239 44
L246 45
L253 46
L257 47
L261 40
L267 50
L284 37
L290 53
L305 54
L323 53
L329 56
.end linenumbertable
.end code
.end method
.sourcefile 'Solution.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 16:08:04 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 Solution_ESTest extends Solution_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
SystemInUtil.addInputLine("4");
SystemInUtil.addInputLine("4");
// Undeclared exception!
try {
Solution.main((String[]) null);
fail("Expecting exception: NoSuchElementException");
} catch(NoSuchElementException e) {
//
// No line found
//
verifyException("java.util.Scanner", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Solution.solution();
}
@Test(timeout = 4000)
public void test2() 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 16:08: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();
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/tmpjorjv2jp");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.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"
);
}
}
| 12,128 |
XmlHttpResponse | /*
Copyright (c) Microsoft Open Technologies, Inc.
All Rights Reserved
Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the
License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0
THIS CODE IS PROVIDED ON AN *AS IS* BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, EITHER EXPRESS OR IMPLIED,
INCLUDING WITHOUT LIMITATION ANY IMPLIED WARRANTIES OR CONDITIONS OF TITLE, FITNESS FOR A PARTICULAR PURPOSE,
MERCHANTABLITY OR NON-INFRINGEMENT.
See the Apache 2 License for the specific language governing permissions and limitations under the License.
*/
import java.util.LinkedHashMap;
public class XmlHttpResponse {
public String type = "RESPONSE_XMLHTTP";
public String transactionId;
public int status;
public LinkedHashMap<String, String> headers = new LinkedHashMap<String, String>();
public String responseText;
}
| .version 52 0
.class public super XmlHttpResponse
.super java/lang/Object
.field public type Ljava/lang/String;
.field public transactionId Ljava/lang/String;
.field public status I
.field public headers Ljava/util/LinkedHashMap; .fieldattributes
.signature Ljava/util/LinkedHashMap<Ljava/lang/String;Ljava/lang/String;>;
.end fieldattributes
.field public responseText Ljava/lang/String;
.method public <init> : ()V
.code stack 3 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: ldc 'RESPONSE_XMLHTTP'
L7: putfield Field XmlHttpResponse type Ljava/lang/String;
L10: aload_0
L11: new java/util/LinkedHashMap
L14: dup
L15: invokespecial Method java/util/LinkedHashMap <init> ()V
L18: putfield Field XmlHttpResponse headers Ljava/util/LinkedHashMap;
L21: return
L22:
.linenumbertable
L0 18
L4 19
L10 25
.end linenumbertable
.end code
.end method
.sourcefile 'XmlHttpResponse.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 05:02: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 XmlHttpResponse_ESTest extends XmlHttpResponse_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
XmlHttpResponse xmlHttpResponse0 = new XmlHttpResponse();
assertEquals(0, xmlHttpResponse0.status);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 05:02: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 XmlHttpResponse_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "XmlHttpResponse";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp0jsctd57");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(XmlHttpResponse_ESTest_scaffolding.class.getClassLoader() ,
"XmlHttpResponse"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(XmlHttpResponse_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"XmlHttpResponse"
);
}
}
| 12,129 |
InvalidAccessTokenException | /**
* Copyright (c) 2010-2017 by the respective copyright holders.
*
* <p>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
*/
/**
* Will be thrown when there is no valid access token and it was not possible to refresh it
*
* @author Martin van Wingerden - Added more centralized handling of invalid access tokens
*/
public class InvalidAccessTokenException extends Exception {
public InvalidAccessTokenException(Exception cause) {
super(cause);
}
public InvalidAccessTokenException(String message, Throwable cause) {
super(message, cause);
}
public InvalidAccessTokenException(String message) {
super(message);
}
}
| .version 52 0
.class public super InvalidAccessTokenException
.super java/lang/Exception
.method public <init> : (Ljava/lang/Exception;)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 18
L5 19
.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 22
L6 23
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V
L5: return
L6:
.linenumbertable
L0 26
L5 27
.end linenumbertable
.end code
.end method
.sourcefile 'InvalidAccessTokenException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 00:13: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 InvalidAccessTokenException_ESTest extends InvalidAccessTokenException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
InvalidAccessTokenException invalidAccessTokenException0 = new InvalidAccessTokenException("");
InvalidAccessTokenException invalidAccessTokenException1 = new InvalidAccessTokenException(invalidAccessTokenException0);
assertFalse(invalidAccessTokenException1.equals((Object)invalidAccessTokenException0));
}
@Test(timeout = 4000)
public void test1() throws Throwable {
InvalidAccessTokenException invalidAccessTokenException0 = new InvalidAccessTokenException("");
InvalidAccessTokenException invalidAccessTokenException1 = new InvalidAccessTokenException("", invalidAccessTokenException0);
assertFalse(invalidAccessTokenException1.equals((Object)invalidAccessTokenException0));
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 00:13: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 InvalidAccessTokenException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "InvalidAccessTokenException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpa2b2y630");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(InvalidAccessTokenException_ESTest_scaffolding.class.getClassLoader() ,
"InvalidAccessTokenException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(InvalidAccessTokenException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"InvalidAccessTokenException"
);
}
}
| 12,130 |
Square | /** Created by vshvidler on 2/29/2016. */
public class Square {
public double l;
public Square(double l) {
this.l = l;
}
public double area() {
return this.l * this.l;
}
}
| .version 52 0
.class public super Square
.super java/lang/Object
.field public l D
.method public <init> : (D)V
.code stack 3 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: dload_1
L6: putfield Field Square l D
L9: return
L10:
.linenumbertable
L0 10
L4 12
L9 14
.end linenumbertable
.end code
.end method
.method public area : ()D
.code stack 4 locals 1
L0: aload_0
L1: getfield Field Square l D
L4: aload_0
L5: getfield Field Square l D
L8: dmul
L9: dreturn
L10:
.linenumbertable
L0 17
.end linenumbertable
.end code
.end method
.sourcefile 'Square.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 04:48: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 Square_ESTest extends Square_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Square square0 = new Square(10953.8687152016);
double double0 = square0.area();
assertEquals(10953.8687152016, square0.l, 1.0E-4);
assertEquals(1.1998723982987233E8, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Square square0 = new Square(0.0);
double double0 = square0.area();
assertEquals(0.0, square0.l, 1.0E-4);
assertEquals(0.0, double0, 1.0E-4);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 04:48: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 Square_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Square";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmplcnrlozj");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Square_ESTest_scaffolding.class.getClassLoader() ,
"Square"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Square_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Square"
);
}
}
| 12,131 |
Account | /**
* class Account
*
* @author ikonovalov
* @since 27.11.18.
* @version 1.0
*/
public class Account {
private double value;
private String requisites;
public Account(int value, String requisites) {
this.value = value;
this.requisites = requisites;
}
public double getValue() {
return value;
}
public String getRequisites() {
return requisites;
}
public void setValue(double value) {
this.value = value;
}
public void setRequisites(String requisites) {
this.requisites = requisites;
}
public void subAmount(int amount) {
this.value -= amount;
}
public void addAmount(int amount) {
this.value += amount;
}
@Override
public boolean equals(Object o) {
if (this == o) {
return true;
}
if (o == null || getClass() != o.getClass()) {
return false;
}
Account account = (Account) o;
return requisites != null ? requisites.equals(account.requisites) : account.requisites == null;
}
@Override
public int hashCode() {
int result;
long temp;
temp = Double.doubleToLongBits(value);
result = (int) (temp ^ (temp >>> 32));
result = 31 * result + (requisites != null ? requisites.hashCode() : 0);
return result;
}
@Override
public String toString() {
return "Account{" + "value=" + value + ", requisites='" + requisites + '\'' + '}';
}
}
| .version 52 0
.class public super Account
.super java/lang/Object
.field private value D
.field private requisites Ljava/lang/String;
.method public <init> : (ILjava/lang/String;)V
.code stack 3 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iload_1
L6: i2d
L7: putfield Field Account value D
L10: aload_0
L11: aload_2
L12: putfield Field Account requisites Ljava/lang/String;
L15: return
L16:
.linenumbertable
L0 14
L4 15
L10 16
L15 17
.end linenumbertable
.end code
.end method
.method public getValue : ()D
.code stack 2 locals 1
L0: aload_0
L1: getfield Field Account value D
L4: dreturn
L5:
.linenumbertable
L0 20
.end linenumbertable
.end code
.end method
.method public getRequisites : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Account requisites Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 24
.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 Account value D
L5: return
L6:
.linenumbertable
L0 28
L5 29
.end linenumbertable
.end code
.end method
.method public setRequisites : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Account requisites Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 32
L5 33
.end linenumbertable
.end code
.end method
.method public subAmount : (I)V
.code stack 5 locals 2
L0: aload_0
L1: dup
L2: getfield Field Account value D
L5: iload_1
L6: i2d
L7: dsub
L8: putfield Field Account value D
L11: return
L12:
.linenumbertable
L0 36
L11 37
.end linenumbertable
.end code
.end method
.method public addAmount : (I)V
.code stack 5 locals 2
L0: aload_0
L1: dup
L2: getfield Field Account value D
L5: iload_1
L6: i2d
L7: dadd
L8: putfield Field Account value D
L11: return
L12:
.linenumbertable
L0 39
L11 40
.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 Account
L28: astore_2
L29: aload_0
L30: getfield Field Account requisites Ljava/lang/String;
L33: ifnull L50
L36: aload_0
L37: getfield Field Account requisites Ljava/lang/String;
L40: aload_2
L41: getfield Field Account requisites Ljava/lang/String;
L44: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L47: goto L62
.stack append Object Account
L50: aload_2
L51: getfield Field Account requisites Ljava/lang/String;
L54: ifnonnull L61
L57: iconst_1
L58: goto L62
.stack same
L61: iconst_0
.stack stack_1 Integer
L62: ireturn
L63:
.linenumbertable
L0 44
L5 45
L7 47
L22 48
L24 51
L29 54
.end linenumbertable
.end code
.end method
.method public hashCode : ()I
.code stack 5 locals 4
L0: aload_0
L1: getfield Field Account value D
L4: invokestatic Method java/lang/Double doubleToLongBits (D)J
L7: lstore_2
L8: lload_2
L9: lload_2
L10: bipush 32
L12: lushr
L13: lxor
L14: l2i
L15: istore_1
L16: bipush 31
L18: iload_1
L19: imul
L20: aload_0
L21: getfield Field Account requisites Ljava/lang/String;
L24: ifnull L37
L27: aload_0
L28: getfield Field Account requisites Ljava/lang/String;
L31: invokevirtual Method java/lang/String hashCode ()I
L34: goto L38
.stack full
locals Object Account Integer Long
stack Integer
.end stack
L37: iconst_0
.stack full
locals Object Account Integer Long
stack Integer Integer
.end stack
L38: iadd
L39: istore_1
L40: iload_1
L41: ireturn
L42:
.linenumbertable
L0 62
L8 63
L16 64
L40 65
.end linenumbertable
.end code
.end method
.method public toString : ()Ljava/lang/String;
.code stack 3 locals 1
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: ldc 'Account{value='
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field Account value D
L16: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L19: ldc ", requisites='"
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: aload_0
L25: getfield Field Account requisites 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: bipush 125
L38: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L41: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L44: areturn
L45:
.linenumbertable
L0 70
.end linenumbertable
.end code
.end method
.sourcefile 'Account.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 17:31: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 Account_ESTest extends Account_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
Account account0 = new Account(0, "Account{value=");
account0.setValue(25301.6536591);
account0.hashCode();
assertEquals(25301.6536591, account0.getValue(), 1.0E-4);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
Account account0 = new Account((-14389), "2_mn+U");
account0.subAmount(0);
assertEquals((-14389.0), account0.getValue(), 1.0E-4);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
Account account0 = new Account(0, "`5TLi-ZU.8Br2UHy32");
double double0 = account0.getValue();
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
Account account0 = new Account(25237, "Kvu)Y.yIh:Oe04Fy!");
double double0 = account0.getValue();
assertEquals(25237.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
Account account0 = new Account(47425, (String) null);
account0.getRequisites();
assertEquals(47425.0, account0.getValue(), 1.0E-4);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
Account account0 = new Account(0, "");
account0.getRequisites();
assertEquals(0.0, account0.getValue(), 1.0E-4);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
Account account0 = new Account((-11494), "D[j`Hn#z|");
account0.hashCode();
assertEquals((-11494.0), account0.getValue(), 1.0E-4);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
Account account0 = new Account(47425, (String) null);
account0.hashCode();
assertEquals(47425.0, account0.getValue(), 1.0E-4);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
Account account0 = new Account((-14389), "2_mn+U");
Account account1 = new Account((-7247), "2_mn+U");
account1.equals(account0);
assertEquals((-7247.0), account1.getValue(), 1.0E-4);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
Account account0 = new Account((-20243), (String) null);
Account account1 = new Account((-20243), "6@{S>K=iv~Z}vh=$@;P");
boolean boolean0 = account0.equals(account1);
assertFalse(boolean0);
assertEquals((-20243.0), account1.getValue(), 1.0E-4);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
Account account0 = new Account(0, (String) null);
boolean boolean0 = account0.equals((Object) null);
assertFalse(boolean0);
assertEquals(0.0, account0.getValue(), 1.0E-4);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
Account account0 = new Account((-11494), "D[j`Hn#z|");
boolean boolean0 = account0.equals(account0);
assertEquals((-11494.0), account0.getValue(), 1.0E-4);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
Account account0 = new Account((-11494), "D[j`Hn#z|");
boolean boolean0 = account0.equals("D[j`Hn#z|");
assertEquals((-11494.0), account0.getValue(), 1.0E-4);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
Account account0 = new Account((-11494), "D[j`Hn#z|");
double double0 = account0.getValue();
assertEquals((-11494.0), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
Account account0 = new Account((-11494), "D[j`Hn#z|");
account0.subAmount((-11494));
assertEquals(0.0, account0.getValue(), 1.0E-4);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
Account account0 = new Account((-11494), "D[j`Hn#z|");
String string0 = account0.toString();
assertEquals("Account{value=-11494.0, requisites='D[j`Hn#z|'}", string0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
Account account0 = new Account((-11494), "D[j`Hn#z|");
account0.setRequisites("D[j`Hn#z|");
assertEquals((-11494.0), account0.getValue(), 1.0E-4);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
Account account0 = new Account((-11494), "D[j`Hn#z|");
account0.addAmount((-14176));
assertEquals((-25670.0), account0.getValue(), 1.0E-4);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
Account account0 = new Account((-11494), "D[j`Hn#z|");
account0.getRequisites();
assertEquals((-11494.0), account0.getValue(), 1.0E-4);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 17:31: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 Account_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Account";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmps1ur11es");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Account_ESTest_scaffolding.class.getClassLoader() ,
"Account"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Account_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Account"
);
}
}
| 12,132 |
RegexDemo2 | /*
* 分割功能练习
*/
public class RegexDemo2 {
public static void main(String[] args) {
// 定义一个字符串
String s1 = "aa,bb,cc";
// 直接分割
String[] str1Array = s1.split(",");
for (int x = 0; x < str1Array.length; x++) {
System.out.println(str1Array[x]);
}
System.out.println("---------------------");
String s2 = "aa.bb.cc";
String[] str2Array = s2.split("\\.");
for (int x = 0; x < str2Array.length; x++) {
System.out.println(str2Array[x]);
}
System.out.println("---------------------");
String s3 = "aa bb cc";
String[] str3Array = s3.split(" +");
for (int x = 0; x < str3Array.length; x++) {
System.out.println(str3Array[x]);
}
System.out.println("---------------------");
// 硬盘上的路径,我们应该用\\替代\
String s4 = "E:\\JavaSE\\day14\\avi";
String[] str4Array = s4.split("\\\\");
for (int x = 0; x < str4Array.length; x++) {
System.out.println(str4Array[x]);
}
System.out.println("---------------------");
}
}
| .version 52 0
.class public super RegexDemo2
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 6
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 3 locals 10
L0: ldc 'aa,bb,cc'
L2: astore_1
L3: aload_1
L4: ldc ','
L6: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String;
L9: astore_2
L10: iconst_0
L11: istore_3
.stack append Object java/lang/String Object [Ljava/lang/String; Integer
L12: iload_3
L13: aload_2
L14: arraylength
L15: if_icmpge L33
L18: getstatic Field java/lang/System out Ljava/io/PrintStream;
L21: aload_2
L22: iload_3
L23: aaload
L24: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L27: iinc 3 1
L30: goto L12
.stack chop 1
L33: getstatic Field java/lang/System out Ljava/io/PrintStream;
L36: ldc '---------------------'
L38: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L41: ldc 'aa.bb.cc'
L43: astore_3
L44: aload_3
L45: ldc '\\.'
L47: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String;
L50: astore 4
L52: iconst_0
L53: istore 5
.stack append Object java/lang/String Object [Ljava/lang/String; Integer
L55: iload 5
L57: aload 4
L59: arraylength
L60: if_icmpge L80
L63: getstatic Field java/lang/System out Ljava/io/PrintStream;
L66: aload 4
L68: iload 5
L70: aaload
L71: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L74: iinc 5 1
L77: goto L55
.stack chop 1
L80: getstatic Field java/lang/System out Ljava/io/PrintStream;
L83: ldc '---------------------'
L85: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L88: ldc 'aa bb cc'
L90: astore 5
L92: aload 5
L94: ldc ' +'
L96: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String;
L99: astore 6
L101: iconst_0
L102: istore 7
.stack append Object java/lang/String Object [Ljava/lang/String; Integer
L104: iload 7
L106: aload 6
L108: arraylength
L109: if_icmpge L129
L112: getstatic Field java/lang/System out Ljava/io/PrintStream;
L115: aload 6
L117: iload 7
L119: aaload
L120: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L123: iinc 7 1
L126: goto L104
.stack chop 1
L129: getstatic Field java/lang/System out Ljava/io/PrintStream;
L132: ldc '---------------------'
L134: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L137: ldc 'E:\\JavaSE\\day14\\avi'
L139: astore 7
L141: aload 7
L143: ldc '\\\\'
L145: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String;
L148: astore 8
L150: iconst_0
L151: istore 9
.stack append Object java/lang/String Object [Ljava/lang/String; Integer
L153: iload 9
L155: aload 8
L157: arraylength
L158: if_icmpge L178
L161: getstatic Field java/lang/System out Ljava/io/PrintStream;
L164: aload 8
L166: iload 9
L168: aaload
L169: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L172: iinc 9 1
L175: goto L153
.stack chop 1
L178: getstatic Field java/lang/System out Ljava/io/PrintStream;
L181: ldc '---------------------'
L183: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L186: return
L187:
.linenumbertable
L0 9
L3 11
L10 12
L18 13
L27 12
L33 15
L41 17
L44 18
L52 19
L63 20
L74 19
L80 22
L88 24
L92 25
L101 26
L112 27
L123 26
L129 29
L137 32
L141 33
L150 34
L161 35
L172 34
L178 37
L186 38
.end linenumbertable
.end code
.end method
.sourcefile 'RegexDemo2.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 21:25:15 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class RegexDemo2_ESTest extends RegexDemo2_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[0];
RegexDemo2.main(stringArray0);
assertEquals(0, stringArray0.length);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
RegexDemo2 regexDemo2_0 = new RegexDemo2();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 21:25:15 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class RegexDemo2_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "RegexDemo2";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpm1lu2kyc");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(RegexDemo2_ESTest_scaffolding.class.getClassLoader() ,
"RegexDemo2"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RegexDemo2_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"RegexDemo2"
);
}
}
| 12,133 |
EventDefinition | public class EventDefinition {
private java.lang.Class privateOwnerType;
public java.lang.Class getOwnerType() {
return privateOwnerType;
}
private void setOwnerType(java.lang.Class value) {
privateOwnerType = value;
}
private String privateName;
public String getName() {
return privateName;
}
private void setName(String value) {
privateName = value;
}
public EventDefinition(String name, java.lang.Class ownerType) {
setName(name);
setOwnerType(ownerType);
}
}
| .version 52 0
.class public super EventDefinition
.super java/lang/Object
.field private privateOwnerType Ljava/lang/Class;
.field private privateName Ljava/lang/String;
.method public getOwnerType : ()Ljava/lang/Class;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field EventDefinition privateOwnerType Ljava/lang/Class;
L4: areturn
L5:
.linenumbertable
L0 8
.end linenumbertable
.end code
.end method
.method private setOwnerType : (Ljava/lang/Class;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field EventDefinition privateOwnerType Ljava/lang/Class;
L5: return
L6:
.linenumbertable
L0 12
L5 13
.end linenumbertable
.end code
.end method
.method public getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field EventDefinition privateName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 17
.end linenumbertable
.end code
.end method
.method private setName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field EventDefinition privateName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 21
L5 22
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;Ljava/lang/Class;)V
.code stack 2 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: invokespecial Method EventDefinition setName (Ljava/lang/String;)V
L9: aload_0
L10: aload_2
L11: invokespecial Method EventDefinition setOwnerType (Ljava/lang/Class;)V
L14: return
L15:
.linenumbertable
L0 25
L4 26
L9 27
L14 28
.end linenumbertable
.end code
.end method
.sourcefile 'EventDefinition.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 18:25:14 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class EventDefinition_ESTest extends EventDefinition_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
EventDefinition eventDefinition0 = new EventDefinition((String) null, (Class) null);
Class class0 = eventDefinition0.getOwnerType();
assertNull(class0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Class<String> class0 = String.class;
EventDefinition eventDefinition0 = new EventDefinition((String) null, class0);
String string0 = eventDefinition0.getName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Class<Integer> class0 = Integer.class;
EventDefinition eventDefinition0 = new EventDefinition("", class0);
String string0 = eventDefinition0.getName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Class<String> class0 = String.class;
EventDefinition eventDefinition0 = new EventDefinition("j", class0);
Class class1 = eventDefinition0.getOwnerType();
assertFalse(class1.isPrimitive());
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Class<String> class0 = String.class;
EventDefinition eventDefinition0 = new EventDefinition("j", class0);
String string0 = eventDefinition0.getName();
assertEquals("j", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 18:25: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 EventDefinition_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "EventDefinition";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmps895jd5a");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(EventDefinition_ESTest_scaffolding.class.getClassLoader() ,
"EventDefinition"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(EventDefinition_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"EventDefinition"
);
}
}
| 12,134 |
WSMOLiteModuleEventTypes | /**
* Copyright (c) 2009, Ontotext AD
*
* <p>This library 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 library 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 library; if not, write to the Free Software Foundation, Inc., 59 Temple Place, Suite
* 330, Boston, MA 02111-1307 USA
*/
public class WSMOLiteModuleEventTypes {
private static final int OFFSET = 999000;
public static final int SHOW_INFO = OFFSET + 1;
public static final int MENU_OPEN_ONTOLOGY = OFFSET + 2;
public static final int MENU_OPEN_ONTOLOGY_FROM_URL = OFFSET + 21;
public static final int MENU_OPEN_SERVICE = OFFSET + 3;
public static final int MENU_OPEN_SERVICE_FROM_URL = OFFSET + 31;
public static final int MENU_SAVE_SERVICE = OFFSET + 4;
public static final int MENU_CLOSE = OFFSET + 5;
public static final int MENU_UPLOAD_RESOURCE = OFFSET + 9;
public static final int MENU_ISERVE_EXPORT = OFFSET + 10;
public static final int MENU_ABOUT = OFFSET + 6;
public static final int MENU_DASHBOARD_INFO = OFFSET + 8;
public static final int ACTION_SELECT_LOWERING = OFFSET + 16;
public static final int ACTION_SELECT_LIFTING = OFFSET + 17;
public static final int NOT_IMPLEMENTED = OFFSET + 7;
}
| .version 52 0
.class public super WSMOLiteModuleEventTypes
.super java/lang/Object
.field private static final OFFSET I = 999000
.field public static final SHOW_INFO I = 999001
.field public static final MENU_OPEN_ONTOLOGY I = 999002
.field public static final MENU_OPEN_ONTOLOGY_FROM_URL I = 999021
.field public static final MENU_OPEN_SERVICE I = 999003
.field public static final MENU_OPEN_SERVICE_FROM_URL I = 999031
.field public static final MENU_SAVE_SERVICE I = 999004
.field public static final MENU_CLOSE I = 999005
.field public static final MENU_UPLOAD_RESOURCE I = 999009
.field public static final MENU_ISERVE_EXPORT I = 999010
.field public static final MENU_ABOUT I = 999006
.field public static final MENU_DASHBOARD_INFO I = 999008
.field public static final ACTION_SELECT_LOWERING I = 999016
.field public static final ACTION_SELECT_LIFTING I = 999017
.field public static final NOT_IMPLEMENTED I = 999007
.method 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 'WSMOLiteModuleEventTypes.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 21:40: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 WSMOLiteModuleEventTypes_ESTest extends WSMOLiteModuleEventTypes_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
WSMOLiteModuleEventTypes wSMOLiteModuleEventTypes0 = new WSMOLiteModuleEventTypes();
assertEquals(999007, WSMOLiteModuleEventTypes.NOT_IMPLEMENTED);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 21:40: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 WSMOLiteModuleEventTypes_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "WSMOLiteModuleEventTypes";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpxygeu1ny");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(WSMOLiteModuleEventTypes_ESTest_scaffolding.class.getClassLoader() ,
"WSMOLiteModuleEventTypes"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(WSMOLiteModuleEventTypes_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"WSMOLiteModuleEventTypes"
);
}
}
| 12,135 |
Alchemy | import java.io.IOException;
import java.nio.file.Files;
import java.nio.file.Paths;
import java.util.*;
public class Alchemy {
private static final String INPUT_DIR = "src/main/resources/com.anurgakapur.fb.hackercup2020.qr";
private static final String INPUT_FILE = "alchemy.in";
private static final String OUTPUT_DIR = "src/main/resources/com.anurgakapur.fb.hackercup2020.qr";
private static final String OUTPUT_FILE = "alchemy.out";
public static void main(String[] args) {
try {
Alchemy a = new Alchemy();
List<String> lines = Files.readAllLines(Paths.get(INPUT_DIR, INPUT_FILE));
StringBuilder builder = new StringBuilder();
int caseCount = 1;
for (int i = 2; i < lines.size(); i = i + 2) {
System.out.println(lines.get(i));
String answer = a.compute(lines.get(i));
builder
.append("Case #")
.append(caseCount)
.append(": ")
.append(answer)
.append(System.lineSeparator());
caseCount++;
}
Files.write(Paths.get(OUTPUT_DIR, OUTPUT_FILE), builder.toString().getBytes());
} catch (IOException e) {
e.printStackTrace();
}
}
private String compute(String input) {
int size = input.length();
Set<String> combinedStrings = new HashSet<>();
combinedStrings.add(input);
while (size > 1) {
Set<String> toBeProcessed = combinedStrings;
System.out.println(size + " :: " + toBeProcessed.size());
combinedStrings = new HashSet<>();
Set<String> finalCombinedStrings = combinedStrings;
toBeProcessed.forEach(
s -> {
for (int i = 0; i <= s.length() - 3; i++) {
String prefix = s.substring(0, i);
String suffix = s.substring(i + 3);
String fused = getFused(s.charAt(i), s.charAt(i + 1), s.charAt(i + 2));
if (fused != null) {
StringBuilder builder = new StringBuilder();
builder.append(prefix).append(fused).append(suffix);
finalCombinedStrings.add(builder.toString());
}
}
});
size = size - 2;
combinedStrings = finalCombinedStrings;
}
if (combinedStrings.size() > 0) {
return "Y";
} else {
return "N";
}
}
private String getFused(char ch1, char ch2, char ch3) {
int countOfAs = 0;
if (ch1 == 'A') {
countOfAs++;
}
if (ch2 == 'A') {
countOfAs++;
}
if (ch3 == 'A') {
countOfAs++;
}
if (countOfAs == 0 || countOfAs == 3) {
return null;
} else if (countOfAs == 1) {
return "B";
} else {
return "A";
}
}
}
| .version 52 0
.class public super Alchemy
.super java/lang/Object
.field private static final INPUT_DIR Ljava/lang/String; = 'src/main/resources/com.anurgakapur.fb.hackercup2020.qr'
.field private static final INPUT_FILE Ljava/lang/String; = 'alchemy.in'
.field private static final OUTPUT_DIR Ljava/lang/String; = 'src/main/resources/com.anurgakapur.fb.hackercup2020.qr'
.field private static final OUTPUT_FILE Ljava/lang/String; = 'alchemy.out'
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 8
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 5 locals 7
.catch java/io/IOException from L0 to L154 using L157
L0: new Alchemy
L3: dup
L4: invokespecial Method Alchemy <init> ()V
L7: astore_1
L8: ldc 'src/main/resources/com.anurgakapur.fb.hackercup2020.qr'
L10: iconst_1
L11: anewarray java/lang/String
L14: dup
L15: iconst_0
L16: ldc 'alchemy.in'
L18: aastore
L19: invokestatic Method java/nio/file/Paths get (Ljava/lang/String;[Ljava/lang/String;)Ljava/nio/file/Path;
L22: invokestatic Method java/nio/file/Files readAllLines (Ljava/nio/file/Path;)Ljava/util/List;
L25: astore_2
L26: new java/lang/StringBuilder
L29: dup
L30: invokespecial Method java/lang/StringBuilder <init> ()V
L33: astore_3
L34: iconst_1
L35: istore 4
L37: iconst_2
L38: istore 5
.stack full
locals Object [Ljava/lang/String; Object Alchemy Object java/util/List Object java/lang/StringBuilder Integer Integer
stack
.end stack
L40: iload 5
L42: aload_2
L43: invokeinterface InterfaceMethod java/util/List size ()I 1
L48: if_icmpge L125
L51: getstatic Field java/lang/System out Ljava/io/PrintStream;
L54: aload_2
L55: iload 5
L57: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L62: checkcast java/lang/String
L65: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L68: aload_1
L69: aload_2
L70: iload 5
L72: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L77: checkcast java/lang/String
L80: invokespecial Method Alchemy compute (Ljava/lang/String;)Ljava/lang/String;
L83: astore 6
L85: aload_3
L86: ldc 'Case #'
L88: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L91: iload 4
L93: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L96: ldc ': '
L98: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L101: aload 6
L103: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L106: invokestatic Method java/lang/System lineSeparator ()Ljava/lang/String;
L109: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L112: pop
L113: iinc 4 1
L116: iload 5
L118: iconst_2
L119: iadd
L120: istore 5
L122: goto L40
.stack chop 1
L125: ldc 'src/main/resources/com.anurgakapur.fb.hackercup2020.qr'
L127: iconst_1
L128: anewarray java/lang/String
L131: dup
L132: iconst_0
L133: ldc 'alchemy.out'
L135: aastore
L136: invokestatic Method java/nio/file/Paths get (Ljava/lang/String;[Ljava/lang/String;)Ljava/nio/file/Path;
L139: aload_3
L140: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L143: invokevirtual Method java/lang/String getBytes ()[B
L146: iconst_0
L147: anewarray java/nio/file/OpenOption
L150: invokestatic Method java/nio/file/Files write (Ljava/nio/file/Path;[B[Ljava/nio/file/OpenOption;)Ljava/nio/file/Path;
L153: pop
L154: goto L162
.stack full
locals Object [Ljava/lang/String;
stack Object java/io/IOException
.end stack
L157: astore_1
L158: aload_1
L159: invokevirtual Method java/io/IOException printStackTrace ()V
.stack same
L162: return
L163:
.linenumbertable
L0 17
L8 18
L26 19
L34 20
L37 21
L51 22
L68 23
L85 24
L113 25
L116 21
L125 27
L154 30
L157 28
L158 29
L162 32
.end linenumbertable
.end code
.end method
.method private compute : (Ljava/lang/String;)Ljava/lang/String;
.code stack 3 locals 6
L0: aload_1
L1: invokevirtual Method java/lang/String length ()I
L4: istore_2
L5: new java/util/HashSet
L8: dup
L9: invokespecial Method java/util/HashSet <init> ()V
L12: astore_3
L13: aload_3
L14: aload_1
L15: invokeinterface InterfaceMethod java/util/Set add (Ljava/lang/Object;)Z 2
L20: pop
.stack append Integer Object java/util/Set
L21: iload_2
L22: iconst_1
L23: if_icmple L100
L26: aload_3
L27: astore 4
L29: getstatic Field java/lang/System out Ljava/io/PrintStream;
L32: new java/lang/StringBuilder
L35: dup
L36: invokespecial Method java/lang/StringBuilder <init> ()V
L39: iload_2
L40: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L43: ldc ' :: '
L45: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L48: aload 4
L50: invokeinterface InterfaceMethod java/util/Set size ()I 1
L55: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L58: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L61: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L64: new java/util/HashSet
L67: dup
L68: invokespecial Method java/util/HashSet <init> ()V
L71: astore_3
L72: aload_3
L73: astore 5
L75: aload 4
L77: aload_0
L78: aload 5
L80: invokedynamic [id34]
L85: invokeinterface InterfaceMethod java/util/Set forEach (Ljava/util/function/Consumer;)V 2
L90: iload_2
L91: iconst_2
L92: isub
L93: istore_2
L94: aload 5
L96: astore_3
L97: goto L21
.stack same_extended
L100: aload_3
L101: invokeinterface InterfaceMethod java/util/Set size ()I 1
L106: ifle L112
L109: ldc 'Y'
L111: areturn
.stack same
L112: ldc 'N'
L114: areturn
L115:
.linenumbertable
L0 36
L5 37
L13 38
L21 40
L26 41
L29 42
L64 43
L72 44
L75 45
L90 57
L94 58
L97 59
L100 61
L109 62
L112 64
.end linenumbertable
.end code
.end method
.method private getFused : (CCC)Ljava/lang/String;
.code stack 2 locals 5
L0: iconst_0
L1: istore 4
L3: iload_1
L4: bipush 65
L6: if_icmpne L12
L9: iinc 4 1
.stack append Integer
L12: iload_2
L13: bipush 65
L15: if_icmpne L21
L18: iinc 4 1
.stack same
L21: iload_3
L22: bipush 65
L24: if_icmpne L30
L27: iinc 4 1
.stack same
L30: iload 4
L32: ifeq L41
L35: iload 4
L37: iconst_3
L38: if_icmpne L43
.stack same
L41: aconst_null
L42: areturn
.stack same
L43: iload 4
L45: iconst_1
L46: if_icmpne L52
L49: ldc 'B'
L51: areturn
.stack same
L52: ldc 'A'
L54: areturn
L55:
.linenumbertable
L0 69
L3 70
L9 71
L12 73
L18 74
L21 76
L27 77
L30 80
L41 81
L43 82
L49 83
L52 85
.end linenumbertable
.end code
.end method
.method private synthetic lambda$compute$0 : (Ljava/util/Set;Ljava/lang/String;)V
.code stack 6 locals 8
L0: iconst_0
L1: istore_3
.stack append Integer
L2: iload_3
L3: aload_2
L4: invokevirtual Method java/lang/String length ()I
L7: iconst_3
L8: isub
L9: if_icmpgt L104
L12: aload_2
L13: iconst_0
L14: iload_3
L15: invokevirtual Method java/lang/String substring (II)Ljava/lang/String;
L18: astore 4
L20: aload_2
L21: iload_3
L22: iconst_3
L23: iadd
L24: invokevirtual Method java/lang/String substring (I)Ljava/lang/String;
L27: astore 5
L29: aload_0
L30: aload_2
L31: iload_3
L32: invokevirtual Method java/lang/String charAt (I)C
L35: aload_2
L36: iload_3
L37: iconst_1
L38: iadd
L39: invokevirtual Method java/lang/String charAt (I)C
L42: aload_2
L43: iload_3
L44: iconst_2
L45: iadd
L46: invokevirtual Method java/lang/String charAt (I)C
L49: invokespecial Method Alchemy getFused (CCC)Ljava/lang/String;
L52: astore 6
L54: aload 6
L56: ifnull L98
L59: new java/lang/StringBuilder
L62: dup
L63: invokespecial Method java/lang/StringBuilder <init> ()V
L66: astore 7
L68: aload 7
L70: aload 4
L72: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L75: aload 6
L77: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L80: aload 5
L82: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L85: pop
L86: aload_1
L87: aload 7
L89: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L92: invokeinterface InterfaceMethod java/util/Set add (Ljava/lang/Object;)Z 2
L97: pop
.stack same_extended
L98: iinc 3 1
L101: goto L2
.stack chop 1
L104: return
L105:
.linenumbertable
L0 46
L12 47
L20 48
L29 49
L54 50
L59 51
L68 52
L86 53
L98 46
L104 56
.end linenumbertable
.end code
.end method
.sourcefile 'Alchemy.java'
.innerclasses
java/lang/invoke/MethodHandles$Lookup java/lang/invoke/MethodHandles Lookup public static final
.end innerclasses
.const [id34] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory (Ljava/lang/invoke/MethodHandles$Lookup;Ljava/lang/String;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodHandle;Ljava/lang/invoke/MethodType;)Ljava/lang/invoke/CallSite; MethodType (Ljava/lang/Object;)V MethodHandle invokeSpecial Method Alchemy lambda$compute$0 (Ljava/util/Set;Ljava/lang/String;)V MethodType (Ljava/lang/String;)V : accept (LAlchemy;Ljava/util/Set;)Ljava/util/function/Consumer;
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 16:30: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 Alchemy_ESTest extends Alchemy_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Alchemy.main((String[]) null);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Alchemy alchemy0 = new Alchemy();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 16:30: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 Alchemy_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Alchemy";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpvwksiovw");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Alchemy_ESTest_scaffolding.class.getClassLoader() ,
"Alchemy"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Alchemy_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Alchemy"
);
}
}
| 12,136 |
ActionErrorException | /*
* 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.
*/
public class ActionErrorException extends RuntimeException {
private final int rc;
public ActionErrorException(int rc, String message, Throwable ex) {
super(message, ex);
this.rc = rc;
}
public int getRC() {
return rc;
}
}
| .version 52 0
.class public super ActionErrorException
.super java/lang/RuntimeException
.field private final rc I
.method public <init> : (ILjava/lang/String;Ljava/lang/Throwable;)V
.code stack 3 locals 4
L0: aload_0
L1: aload_2
L2: aload_3
L3: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;Ljava/lang/Throwable;)V
L6: aload_0
L7: iload_1
L8: putfield Field ActionErrorException rc I
L11: return
L12:
.linenumbertable
L0 25
L6 26
L11 27
.end linenumbertable
.end code
.end method
.method public getRC : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ActionErrorException rc I
L4: ireturn
L5:
.linenumbertable
L0 30
.end linenumbertable
.end code
.end method
.sourcefile 'ActionErrorException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 05:24:24 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.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 ActionErrorException_ESTest extends ActionErrorException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
MockThrowable mockThrowable0 = new MockThrowable();
ActionErrorException actionErrorException0 = new ActionErrorException(0, "-YI*O,N)HnSq", mockThrowable0);
int int0 = actionErrorException0.getRC();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
MockThrowable mockThrowable0 = new MockThrowable();
ActionErrorException actionErrorException0 = new ActionErrorException((-1), "y^k^A5q4mPCu;%hlMy,", mockThrowable0);
int int0 = actionErrorException0.getRC();
assertEquals((-1), int0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
MockThrowable mockThrowable0 = new MockThrowable("\\`*!/6");
ActionErrorException actionErrorException0 = new ActionErrorException(9590, "\\`*!/6", mockThrowable0);
int int0 = actionErrorException0.getRC();
assertEquals(9590, int0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 05:24:24 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class ActionErrorException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ActionErrorException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpk6thuz6r");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ActionErrorException_ESTest_scaffolding.class.getClassLoader() ,
"ActionErrorException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ActionErrorException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ActionErrorException"
);
}
}
| 12,137 |
OutParam | /*
###############################################################################
# #
# Copyright 2016, AdeptJ (http://www.adeptj.com) #
# #
# 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. #
# #
###############################################################################
*/
/**
* For binding JPA stored procedure OUT parameter.
*
* @author Rakesh.Kumar, AdeptJ
*/
public class OutParam {
private final String name;
private final Class<?> type;
public OutParam(String name, Class<?> type) {
this.name = name;
this.type = type;
}
public String getName() {
return name;
}
public Class<?> getType() {
return type;
}
}
| .version 52 0
.class public super OutParam
.super java/lang/Object
.field private final name Ljava/lang/String;
.field private final type Ljava/lang/Class; .fieldattributes
.signature Ljava/lang/Class<*>;
.end fieldattributes
.method public <init> : (Ljava/lang/String;Ljava/lang/Class;)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 OutParam name Ljava/lang/String;
L9: aload_0
L10: aload_2
L11: putfield Field OutParam type Ljava/lang/Class;
L14: return
L15:
.linenumbertable
L0 34
L4 35
L9 36
L14 37
.end linenumbertable
.end code
.signature (Ljava/lang/String;Ljava/lang/Class<*>;)V
.end method
.method public getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field OutParam name Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 40
.end linenumbertable
.end code
.end method
.method public getType : ()Ljava/lang/Class;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field OutParam type Ljava/lang/Class;
L4: areturn
L5:
.linenumbertable
L0 44
.end linenumbertable
.end code
.signature ()Ljava/lang/Class<*>;
.end method
.sourcefile 'OutParam.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 02:13: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 OutParam_ESTest extends OutParam_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
OutParam outParam0 = new OutParam((String) null, (Class<?>) null);
Class<?> class0 = outParam0.getType();
assertNull(class0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Class<Object> class0 = Object.class;
OutParam outParam0 = new OutParam((String) null, class0);
String string0 = outParam0.getName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Class<String> class0 = String.class;
OutParam outParam0 = new OutParam("E'}%X,&>u O:$h8^", class0);
String string0 = outParam0.getName();
assertEquals("E'}%X,&>u O:$h8^", string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Class<Object> class0 = Object.class;
OutParam outParam0 = new OutParam("", class0);
Class<?> class1 = outParam0.getType();
assertFalse(class1.isAnnotation());
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Class<Object> class0 = Object.class;
OutParam outParam0 = new OutParam("", class0);
String string0 = outParam0.getName();
assertEquals("", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 02:13: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 OutParam_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "OutParam";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp3k1uojou");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(OutParam_ESTest_scaffolding.class.getClassLoader() ,
"OutParam"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(OutParam_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"OutParam"
);
}
}
| 12,138 |
MasterPasswordDTO | import java.io.Serializable;
public class MasterPasswordDTO implements Serializable {
/** */
private static final long serialVersionUID = -3153967243456316797L;
int password[] = new int[1880];
int length;
public MasterPasswordDTO(int[] password, int length) {
super();
this.password = password;
this.length = length;
}
public int getLength() {
return length;
}
public void setLength(int length) {
this.length = length;
}
public int[] getPassword() {
return password;
}
public void setPassword(int[] password) {
this.password = password;
}
}
| .version 52 0
.class public super MasterPasswordDTO
.super java/lang/Object
.implements java/io/Serializable
.field private static final serialVersionUID J = -3153967243456316797L
.field password [I
.field length 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: sipush 1880
L8: newarray int
L10: putfield Field MasterPasswordDTO password [I
L13: aload_0
L14: aload_1
L15: putfield Field MasterPasswordDTO password [I
L18: aload_0
L19: iload_2
L20: putfield Field MasterPasswordDTO length I
L23: return
L24:
.linenumbertable
L0 12
L4 8
L13 13
L18 14
L23 15
.end linenumbertable
.end code
.end method
.method public getLength : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MasterPasswordDTO length I
L4: ireturn
L5:
.linenumbertable
L0 18
.end linenumbertable
.end code
.end method
.method public setLength : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field MasterPasswordDTO length I
L5: return
L6:
.linenumbertable
L0 22
L5 23
.end linenumbertable
.end code
.end method
.method public getPassword : ()[I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MasterPasswordDTO password [I
L4: areturn
L5:
.linenumbertable
L0 26
.end linenumbertable
.end code
.end method
.method public setPassword : ([I)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MasterPasswordDTO password [I
L5: return
L6:
.linenumbertable
L0 29
L5 30
.end linenumbertable
.end code
.end method
.sourcefile 'MasterPasswordDTO.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 02:47: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 MasterPasswordDTO_ESTest extends MasterPasswordDTO_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
MasterPasswordDTO masterPasswordDTO0 = new MasterPasswordDTO((int[]) null, (-1));
masterPasswordDTO0.getPassword();
assertEquals((-1), masterPasswordDTO0.getLength());
}
@Test(timeout = 4000)
public void test1() throws Throwable {
int[] intArray0 = new int[0];
MasterPasswordDTO masterPasswordDTO0 = new MasterPasswordDTO(intArray0, 0);
masterPasswordDTO0.getPassword();
assertEquals(0, masterPasswordDTO0.getLength());
}
@Test(timeout = 4000)
public void test2() throws Throwable {
int[] intArray0 = new int[1];
MasterPasswordDTO masterPasswordDTO0 = new MasterPasswordDTO(intArray0, (-65470));
masterPasswordDTO0.setLength(0);
int int0 = masterPasswordDTO0.getLength();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
int[] intArray0 = new int[1];
MasterPasswordDTO masterPasswordDTO0 = new MasterPasswordDTO(intArray0, (-65470));
int int0 = masterPasswordDTO0.getLength();
assertEquals((-65470), int0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
int[] intArray0 = new int[1];
MasterPasswordDTO masterPasswordDTO0 = new MasterPasswordDTO(intArray0, (-65470));
masterPasswordDTO0.setPassword(intArray0);
assertEquals((-65470), masterPasswordDTO0.getLength());
}
@Test(timeout = 4000)
public void test5() throws Throwable {
int[] intArray0 = new int[1];
MasterPasswordDTO masterPasswordDTO0 = new MasterPasswordDTO(intArray0, (-65470));
masterPasswordDTO0.setLength(47018);
int int0 = masterPasswordDTO0.getLength();
assertEquals(47018, int0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
int[] intArray0 = new int[1];
MasterPasswordDTO masterPasswordDTO0 = new MasterPasswordDTO(intArray0, (-65470));
masterPasswordDTO0.getPassword();
assertEquals((-65470), masterPasswordDTO0.getLength());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 02:47: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 MasterPasswordDTO_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "MasterPasswordDTO";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp4nabv_2c");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MasterPasswordDTO_ESTest_scaffolding.class.getClassLoader() ,
"MasterPasswordDTO"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MasterPasswordDTO_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MasterPasswordDTO"
);
}
}
| 12,139 |
IOManager | import java.io.BufferedReader;
import java.io.BufferedWriter;
import java.io.File;
import java.io.FileNotFoundException;
import java.io.FileReader;
import java.io.FileWriter;
import java.io.IOException;
import java.util.LinkedHashMap;
import java.util.Map;
import java.util.regex.Pattern;
/**
* Copyright (C) 2012-2013 Moser Luca <moser.luca@gmail.com>
*
* <p>This file is part of MexDB.
*
* <p>MexDB 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>MexDB 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 Foobar. If not,
* see <http://www.gnu.org/licenses/>.
*/
/** Takes over the I/O of the physical file. */
public class IOManager {
// The physical file
private File flatfile;
// The path of the file
private String path;
// The filename
private String filename;
// The lines/content of the file
private LinkedHashMap<String, String> content = new LinkedHashMap<String, String>();
// Faster split
private Pattern pattern;
/** Handles I/O of the flatfile. */
public IOManager(String path, String filename) {
// Inits path and filename
this.path = path.replace(" ", "_");
this.filename = filename.concat(".db");
// Faster split with pattern
pattern = Pattern.compile(" ");
// Creates the flatfile if it does not exist
createFlatFile(this.path, this.filename);
// Loads the flatfile content
readContent();
}
/** Creates the flatfile if it does not exist. */
private boolean createFlatFile(String path, String filename) {
try {
(new File(path)).mkdirs();
flatfile = new File(path, filename);
flatfile.createNewFile();
} catch (Exception ex) {
ex.printStackTrace();
return false;
}
return true;
}
/** Loads the flatfile. */
private void readContent() {
try {
BufferedReader reader = new BufferedReader(new FileReader(flatfile));
String line;
// Loading flatfile content
while ((line = reader.readLine()) != null) {
String[] seg = pattern.split(line);
StringBuilder build = new StringBuilder();
// Adding the arguments without the index
for (int counter = 1; counter < seg.length; counter++) {
if (counter == 1) {
build.append(seg[counter]);
} else {
build.append(" ".concat(seg[counter]));
}
}
// Puttig the index and the arguments
this.content.put(seg[0], build.toString());
}
reader.close();
} catch (FileNotFoundException e) {
e.printStackTrace();
} catch (IOException e) {
e.printStackTrace();
}
}
/** Gets the content of the flatfile. */
public LinkedHashMap<String, String> getContent() {
return this.content;
}
/** Writes the loaded content to the flatfile. */
public void writeContent(LinkedHashMap<String, String> newcontent) {
this.content = newcontent;
try {
BufferedWriter writer = new BufferedWriter(new FileWriter(flatfile));
for (Map.Entry<String, String> entry : this.content.entrySet()) {
writer.write(entry.getKey().concat(" ").concat(entry.getValue()));
writer.newLine();
}
writer.close();
} catch (Exception e) {
e.printStackTrace();
}
}
/** Checks if the flatfile exists. */
public boolean existFlatFile() {
return flatfile.exists();
}
/** Gets the directory in which the flatfile is located in. */
public String getDirectory() {
return this.path;
}
/** Gets the filename. */
public String getFileName() {
return this.filename;
}
/** Frees the loaded content and reloads the content of the file */
public LinkedHashMap<String, String> free(boolean reloadcontent) {
content.clear();
if (reloadcontent) readContent();
return this.content;
}
/** Clears the flatfile and loaded IOcontent. */
public void clear() {
content.clear();
flatfile.delete();
try {
flatfile.createNewFile();
} catch (IOException e) {
e.printStackTrace();
}
}
/** Deletes the flatfile */
public void deleteDB() {
try {
flatfile.delete();
} catch (Exception ex) {
}
}
}
| .version 52 0
.class public super IOManager
.super java/lang/Object
.field private flatfile Ljava/io/File;
.field private path Ljava/lang/String;
.field private filename Ljava/lang/String;
.field private content Ljava/util/LinkedHashMap; .fieldattributes
.signature Ljava/util/LinkedHashMap<Ljava/lang/String;Ljava/lang/String;>;
.end fieldattributes
.field private pattern Ljava/util/regex/Pattern;
.method public <init> : (Ljava/lang/String;Ljava/lang/String;)V
.code stack 4 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: new java/util/LinkedHashMap
L8: dup
L9: invokespecial Method java/util/LinkedHashMap <init> ()V
L12: putfield Field IOManager content Ljava/util/LinkedHashMap;
L15: aload_0
L16: aload_1
L17: ldc ' '
L19: ldc '_'
L21: invokevirtual Method java/lang/String replace (Ljava/lang/CharSequence;Ljava/lang/CharSequence;)Ljava/lang/String;
L24: putfield Field IOManager path Ljava/lang/String;
L27: aload_0
L28: aload_2
L29: ldc '.db'
L31: invokevirtual Method java/lang/String concat (Ljava/lang/String;)Ljava/lang/String;
L34: putfield Field IOManager filename Ljava/lang/String;
L37: aload_0
L38: ldc ' '
L40: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;)Ljava/util/regex/Pattern;
L43: putfield Field IOManager pattern Ljava/util/regex/Pattern;
L46: aload_0
L47: aload_0
L48: getfield Field IOManager path Ljava/lang/String;
L51: aload_0
L52: getfield Field IOManager filename Ljava/lang/String;
L55: invokespecial Method IOManager createFlatFile (Ljava/lang/String;Ljava/lang/String;)Z
L58: pop
L59: aload_0
L60: invokespecial Method IOManager readContent ()V
L63: return
L64:
.linenumbertable
L0 52
L4 45
L15 55
L27 56
L37 59
L46 62
L59 65
L63 66
.end linenumbertable
.end code
.end method
.method private createFlatFile : (Ljava/lang/String;Ljava/lang/String;)Z
.code stack 5 locals 4
.catch java/lang/Exception from L0 to L33 using L36
L0: new java/io/File
L3: dup
L4: aload_1
L5: invokespecial Method java/io/File <init> (Ljava/lang/String;)V
L8: invokevirtual Method java/io/File mkdirs ()Z
L11: pop
L12: aload_0
L13: new java/io/File
L16: dup
L17: aload_1
L18: aload_2
L19: invokespecial Method java/io/File <init> (Ljava/lang/String;Ljava/lang/String;)V
L22: putfield Field IOManager flatfile Ljava/io/File;
L25: aload_0
L26: getfield Field IOManager flatfile Ljava/io/File;
L29: invokevirtual Method java/io/File createNewFile ()Z
L32: pop
L33: goto L43
.stack stack_1 Object java/lang/Exception
L36: astore_3
L37: aload_3
L38: invokevirtual Method java/lang/Exception printStackTrace ()V
L41: iconst_0
L42: ireturn
.stack same
L43: iconst_1
L44: ireturn
L45:
.linenumbertable
L0 73
L12 74
L25 75
L33 79
L36 76
L37 77
L41 78
L43 80
.end linenumbertable
.end code
.end method
.method private readContent : ()V
.code stack 5 locals 6
.catch java/io/FileNotFoundException from L0 to L119 using L122
.catch java/io/IOException from L0 to L119 using L130
L0: new java/io/BufferedReader
L3: dup
L4: new java/io/FileReader
L7: dup
L8: aload_0
L9: getfield Field IOManager flatfile Ljava/io/File;
L12: invokespecial Method java/io/FileReader <init> (Ljava/io/File;)V
L15: invokespecial Method java/io/BufferedReader <init> (Ljava/io/Reader;)V
L18: astore_1
.stack append Object java/io/BufferedReader
L19: aload_1
L20: invokevirtual Method java/io/BufferedReader readLine ()Ljava/lang/String;
L23: dup
L24: astore_2
L25: ifnull L115
L28: aload_0
L29: getfield Field IOManager pattern Ljava/util/regex/Pattern;
L32: aload_2
L33: invokevirtual Method java/util/regex/Pattern split (Ljava/lang/CharSequence;)[Ljava/lang/String;
L36: astore_3
L37: new java/lang/StringBuilder
L40: dup
L41: invokespecial Method java/lang/StringBuilder <init> ()V
L44: astore 4
L46: iconst_1
L47: istore 5
.stack full
locals Object IOManager Object java/io/BufferedReader Object java/lang/String Object [Ljava/lang/String; Object java/lang/StringBuilder Integer
stack
.end stack
L49: iload 5
L51: aload_3
L52: arraylength
L53: if_icmpge L96
L56: iload 5
L58: iconst_1
L59: if_icmpne L75
L62: aload 4
L64: aload_3
L65: iload 5
L67: aaload
L68: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L71: pop
L72: goto L90
.stack same
L75: aload 4
L77: ldc ' '
L79: aload_3
L80: iload 5
L82: aaload
L83: invokevirtual Method java/lang/String concat (Ljava/lang/String;)Ljava/lang/String;
L86: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L89: pop
.stack same
L90: iinc 5 1
L93: goto L49
.stack chop 1
L96: aload_0
L97: getfield Field IOManager content Ljava/util/LinkedHashMap;
L100: aload_3
L101: iconst_0
L102: aaload
L103: aload 4
L105: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L108: invokevirtual Method java/util/LinkedHashMap put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object;
L111: pop
L112: goto L19
.stack chop 2
L115: aload_1
L116: invokevirtual Method java/io/BufferedReader close ()V
L119: goto L135
.stack full
locals Object IOManager
stack Object java/io/FileNotFoundException
.end stack
L122: astore_1
L123: aload_1
L124: invokevirtual Method java/io/FileNotFoundException printStackTrace ()V
L127: goto L135
.stack stack_1 Object java/io/IOException
L130: astore_1
L131: aload_1
L132: invokevirtual Method java/io/IOException printStackTrace ()V
.stack same
L135: return
L136:
.linenumbertable
L0 89
L19 93
L28 95
L37 96
L46 99
L56 100
L62 101
L75 103
L90 99
L96 108
L112 109
L115 110
L119 115
L122 111
L123 112
L127 115
L130 113
L131 114
L135 116
.end linenumbertable
.end code
.end method
.method public getContent : ()Ljava/util/LinkedHashMap;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field IOManager content Ljava/util/LinkedHashMap;
L4: areturn
L5:
.linenumbertable
L0 122
.end linenumbertable
.end code
.signature ()Ljava/util/LinkedHashMap<Ljava/lang/String;Ljava/lang/String;>;
.end method
.method public writeContent : (Ljava/util/LinkedHashMap;)V
.code stack 5 locals 5
L0: aload_0
L1: aload_1
L2: putfield Field IOManager content Ljava/util/LinkedHashMap;
.catch java/lang/Exception from L5 to L100 using L103
L5: new java/io/BufferedWriter
L8: dup
L9: new java/io/FileWriter
L12: dup
L13: aload_0
L14: getfield Field IOManager flatfile Ljava/io/File;
L17: invokespecial Method java/io/FileWriter <init> (Ljava/io/File;)V
L20: invokespecial Method java/io/BufferedWriter <init> (Ljava/io/Writer;)V
L23: astore_2
L24: aload_0
L25: getfield Field IOManager content Ljava/util/LinkedHashMap;
L28: invokevirtual Method java/util/LinkedHashMap entrySet ()Ljava/util/Set;
L31: invokeinterface InterfaceMethod java/util/Set iterator ()Ljava/util/Iterator; 1
L36: astore_3
.stack append Object java/io/BufferedWriter Object java/util/Iterator
L37: aload_3
L38: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1
L43: ifeq L96
L46: aload_3
L47: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1
L52: checkcast java/util/Map$Entry
L55: astore 4
L57: aload_2
L58: aload 4
L60: invokeinterface InterfaceMethod java/util/Map$Entry getKey ()Ljava/lang/Object; 1
L65: checkcast java/lang/String
L68: ldc ' '
L70: invokevirtual Method java/lang/String concat (Ljava/lang/String;)Ljava/lang/String;
L73: aload 4
L75: invokeinterface InterfaceMethod java/util/Map$Entry getValue ()Ljava/lang/Object; 1
L80: checkcast java/lang/String
L83: invokevirtual Method java/lang/String concat (Ljava/lang/String;)Ljava/lang/String;
L86: invokevirtual Method java/io/BufferedWriter write (Ljava/lang/String;)V
L89: aload_2
L90: invokevirtual Method java/io/BufferedWriter newLine ()V
L93: goto L37
.stack chop 1
L96: aload_2
L97: invokevirtual Method java/io/BufferedWriter close ()V
L100: goto L108
.stack full
locals Object IOManager Object java/util/LinkedHashMap
stack Object java/lang/Exception
.end stack
L103: astore_2
L104: aload_2
L105: invokevirtual Method java/lang/Exception printStackTrace ()V
.stack same
L108: return
L109:
.linenumbertable
L0 129
L5 132
L24 134
L57 135
L89 136
L93 137
L96 138
L100 141
L103 139
L104 140
L108 142
.end linenumbertable
.end code
.signature (Ljava/util/LinkedHashMap<Ljava/lang/String;Ljava/lang/String;>;)V
.end method
.method public existFlatFile : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field IOManager flatfile Ljava/io/File;
L4: invokevirtual Method java/io/File exists ()Z
L7: ireturn
L8:
.linenumbertable
L0 148
.end linenumbertable
.end code
.end method
.method public getDirectory : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field IOManager path Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 155
.end linenumbertable
.end code
.end method
.method public getFileName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field IOManager filename Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 162
.end linenumbertable
.end code
.end method
.method public free : (Z)Ljava/util/LinkedHashMap;
.code stack 1 locals 2
L0: aload_0
L1: getfield Field IOManager content Ljava/util/LinkedHashMap;
L4: invokevirtual Method java/util/LinkedHashMap clear ()V
L7: iload_1
L8: ifeq L15
L11: aload_0
L12: invokespecial Method IOManager readContent ()V
.stack same
L15: aload_0
L16: getfield Field IOManager content Ljava/util/LinkedHashMap;
L19: areturn
L20:
.linenumbertable
L0 169
L7 170
L11 171
L15 172
.end linenumbertable
.end code
.signature (Z)Ljava/util/LinkedHashMap<Ljava/lang/String;Ljava/lang/String;>;
.end method
.method public clear : ()V
.code stack 1 locals 2
L0: aload_0
L1: getfield Field IOManager content Ljava/util/LinkedHashMap;
L4: invokevirtual Method java/util/LinkedHashMap clear ()V
L7: aload_0
L8: getfield Field IOManager flatfile Ljava/io/File;
L11: invokevirtual Method java/io/File delete ()Z
L14: pop
.catch java/io/IOException from L15 to L23 using L26
L15: aload_0
L16: getfield Field IOManager flatfile Ljava/io/File;
L19: invokevirtual Method java/io/File createNewFile ()Z
L22: pop
L23: goto L31
.stack stack_1 Object java/io/IOException
L26: astore_1
L27: aload_1
L28: invokevirtual Method java/io/IOException printStackTrace ()V
.stack same
L31: return
L32:
.linenumbertable
L0 179
L7 180
L15 182
L23 185
L26 183
L27 184
L31 186
.end linenumbertable
.end code
.end method
.method public deleteDB : ()V
.code stack 1 locals 2
.catch java/lang/Exception from L0 to L8 using L11
L0: aload_0
L1: getfield Field IOManager flatfile Ljava/io/File;
L4: invokevirtual Method java/io/File delete ()Z
L7: pop
L8: goto L12
.stack stack_1 Object java/lang/Exception
L11: astore_1
.stack same
L12: return
L13:
.linenumbertable
L0 193
L8 195
L11 194
L12 196
.end linenumbertable
.end code
.end method
.sourcefile 'IOManager.java'
.innerclasses
java/util/Map$Entry java/util/Map Entry public static interface abstract
.end innerclasses
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 15:07:08 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.util.LinkedHashMap;
import java.util.function.BiConsumer;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class IOManager_ESTest extends IOManager_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
IOManager iOManager0 = new IOManager("iX", "");
LinkedHashMap<String, String> linkedHashMap0 = new LinkedHashMap<String, String>();
linkedHashMap0.put("iX", (String) null);
String string0 = "{Muoosn\\f3vz_9";
iOManager0.writeContent(linkedHashMap0);
Object object0 = new Object();
linkedHashMap0.put("nzTqTb/RD", "a~'8[fL7uU9ZBn");
linkedHashMap0.remove(object0);
iOManager0.deleteDB();
iOManager0.free(true);
iOManager0.clear();
linkedHashMap0.put((String) null, "{Muoosn\f3vz_9");
iOManager0.writeContent(linkedHashMap0);
iOManager0.writeContent((LinkedHashMap<String, String>) null);
iOManager0.deleteDB();
iOManager0.existFlatFile();
iOManager0.getContent();
// Undeclared exception!
try {
iOManager0.clear();
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("IOManager", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
IOManager iOManager0 = new IOManager("", "");
iOManager0.getDirectory();
LinkedHashMap<String, String> linkedHashMap0 = iOManager0.getContent();
iOManager0.writeContent(linkedHashMap0);
iOManager0.deleteDB();
String string0 = iOManager0.getDirectory();
assertEquals("", string0);
iOManager0.deleteDB();
iOManager0.existFlatFile();
assertEquals("", iOManager0.getDirectory());
}
@Test(timeout = 4000)
public void test2() throws Throwable {
IOManager iOManager0 = new IOManager(" ", " ");
iOManager0.deleteDB();
iOManager0.free(true);
iOManager0.clear();
iOManager0.deleteDB();
iOManager0.getContent();
assertEquals("_", iOManager0.getDirectory());
}
@Test(timeout = 4000)
public void test3() throws Throwable {
IOManager iOManager0 = new IOManager("", "");
assertEquals(".db", iOManager0.getFileName());
iOManager0.clear();
String string0 = iOManager0.getDirectory();
assertEquals("", string0);
iOManager0.deleteDB();
assertEquals("", iOManager0.getDirectory());
}
@Test(timeout = 4000)
public void test4() throws Throwable {
IOManager iOManager0 = new IOManager("=SU1BP_[", "=SU1BP_[");
LinkedHashMap<String, String> linkedHashMap0 = new LinkedHashMap<String, String>();
linkedHashMap0.put("", ".Aan'p");
linkedHashMap0.put("", "|^Z]tBw9Z\\<yln");
linkedHashMap0.put(".Aan'p", ".Aan'p");
linkedHashMap0.remove((Object) iOManager0);
linkedHashMap0.putIfAbsent("0M EPz^UhC", "vj@f8kd\"jH0Tv.h");
iOManager0.writeContent(linkedHashMap0);
iOManager0.free(true);
iOManager0.writeContent(linkedHashMap0);
iOManager0.writeContent(linkedHashMap0);
assertEquals(3, linkedHashMap0.size());
iOManager0.existFlatFile();
iOManager0.getContent();
iOManager0.getFileName();
iOManager0.getFileName();
iOManager0.getContent();
String string0 = iOManager0.getDirectory();
assertEquals("=SU1BP_[", string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
IOManager iOManager0 = new IOManager("?@j1wL^ZDj", "?@j1wL^ZDj");
iOManager0.deleteDB();
LinkedHashMap<String, String> linkedHashMap0 = iOManager0.getContent();
linkedHashMap0.put("", "lR:M|`<X=J|`2");
linkedHashMap0.put("", "");
iOManager0.writeContent(linkedHashMap0);
iOManager0.getFileName();
iOManager0.getContent();
// Undeclared exception!
try {
iOManager0.free(true);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 0
//
verifyException("IOManager", e);
}
}
@Test(timeout = 4000)
public void test6() throws Throwable {
IOManager iOManager0 = new IOManager("`prW>eq|bH&]", "`prW>eq|bH&]");
LinkedHashMap<String, String> linkedHashMap0 = new LinkedHashMap<String, String>();
linkedHashMap0.put((String) null, "`prW>eq|bH&]");
linkedHashMap0.replace((String) null, "", "`prW>eq|bH&]");
iOManager0.writeContent(linkedHashMap0);
iOManager0.clear();
iOManager0.deleteDB();
iOManager0.getContent();
iOManager0.getDirectory();
iOManager0.getDirectory();
iOManager0.deleteDB();
iOManager0.getDirectory();
iOManager0.deleteDB();
iOManager0.deleteDB();
String string0 = iOManager0.getDirectory();
assertEquals("`prW>eq|bH&]", string0);
assertEquals("`prW>eq|bH&].db", iOManager0.getFileName());
}
@Test(timeout = 4000)
public void test7() throws Throwable {
String string0 = "_";
IOManager iOManager0 = new IOManager(".db", "_");
LinkedHashMap<String, String> linkedHashMap0 = iOManager0.free(true);
linkedHashMap0.put(".db", "");
iOManager0.clear();
iOManager0.writeContent(linkedHashMap0);
iOManager0.deleteDB();
iOManager0.writeContent(linkedHashMap0);
iOManager0.free(true);
linkedHashMap0.getOrDefault(iOManager0, (String) null);
iOManager0.clear();
LinkedHashMap<String, String> linkedHashMap1 = iOManager0.free(false);
iOManager0.writeContent(linkedHashMap0);
iOManager0.existFlatFile();
// Undeclared exception!
try {
linkedHashMap1.forEach((BiConsumer<? super String, ? super String>) null);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("java.util.LinkedHashMap", e);
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 15: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 IOManager_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "IOManager";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpj8nwouu7");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(IOManager_ESTest_scaffolding.class.getClassLoader() ,
"IOManager"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(IOManager_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"IOManager"
);
}
}
| 12,140 |
Sequence | /*
Copyright 2017 Rice University
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
import java.util.ArrayList;
import java.util.List;
public class Sequence {
final List<String> calls;
public Sequence() {
this.calls = new ArrayList<>();
}
public Sequence(List<String> calls) {
this.calls = new ArrayList<>(calls);
}
public List<String> getCalls() {
return calls;
}
public void addCall(String apiCall) {
calls.add(apiCall);
}
/* check if this is a subsequence of "seq" from index 0 */
public boolean isSubsequenceOf(Sequence seq) {
if (calls.size() > seq.calls.size()) return false;
for (int i = 0; i < calls.size(); i++) if (!calls.get(i).equals(seq.calls.get(i))) return false;
return true;
}
@Override
public boolean equals(Object o) {
if (o == null || !(o instanceof Sequence)) return false;
Sequence seq = (Sequence) o;
return calls.equals(seq.calls);
}
@Override
public int hashCode() {
int code = 17;
for (String call : calls) code = 31 * code + call.hashCode();
return code;
}
}
| .version 52 0
.class public super Sequence
.super java/lang/Object
.field final calls Ljava/util/List; .fieldattributes
.signature Ljava/util/List<Ljava/lang/String;>;
.end fieldattributes
.method public <init> : ()V
.code stack 3 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: new java/util/ArrayList
L8: dup
L9: invokespecial Method java/util/ArrayList <init> ()V
L12: putfield Field Sequence calls Ljava/util/List;
L15: return
L16:
.linenumbertable
L0 24
L4 25
L15 26
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/util/List;)V
.code stack 4 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: new java/util/ArrayList
L8: dup
L9: aload_1
L10: invokespecial Method java/util/ArrayList <init> (Ljava/util/Collection;)V
L13: putfield Field Sequence calls Ljava/util/List;
L16: return
L17:
.linenumbertable
L0 28
L4 29
L16 30
.end linenumbertable
.end code
.signature (Ljava/util/List<Ljava/lang/String;>;)V
.end method
.method public getCalls : ()Ljava/util/List;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Sequence calls Ljava/util/List;
L4: areturn
L5:
.linenumbertable
L0 33
.end linenumbertable
.end code
.signature ()Ljava/util/List<Ljava/lang/String;>;
.end method
.method public addCall : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: getfield Field Sequence calls Ljava/util/List;
L4: aload_1
L5: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L10: pop
L11: return
L12:
.linenumbertable
L0 37
L11 38
.end linenumbertable
.end code
.end method
.method public isSubsequenceOf : (LSequence;)Z
.code stack 3 locals 3
L0: aload_0
L1: getfield Field Sequence calls Ljava/util/List;
L4: invokeinterface InterfaceMethod java/util/List size ()I 1
L9: aload_1
L10: getfield Field Sequence calls Ljava/util/List;
L13: invokeinterface InterfaceMethod java/util/List size ()I 1
L18: if_icmple L23
L21: iconst_0
L22: ireturn
.stack same
L23: iconst_0
L24: istore_2
.stack append Integer
L25: iload_2
L26: aload_0
L27: getfield Field Sequence calls Ljava/util/List;
L30: invokeinterface InterfaceMethod java/util/List size ()I 1
L35: if_icmpge L75
L38: aload_0
L39: getfield Field Sequence calls Ljava/util/List;
L42: iload_2
L43: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L48: checkcast java/lang/String
L51: aload_1
L52: getfield Field Sequence calls Ljava/util/List;
L55: iload_2
L56: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L61: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L64: ifne L69
L67: iconst_0
L68: ireturn
.stack same
L69: iinc 2 1
L72: goto L25
.stack chop 1
L75: iconst_1
L76: ireturn
L77:
.linenumbertable
L0 42
L21 43
L23 44
L38 45
L67 46
L69 44
L75 47
.end linenumbertable
.end code
.end method
.method public equals : (Ljava/lang/Object;)Z
.code stack 2 locals 3
L0: aload_1
L1: ifnull L11
L4: aload_1
L5: instanceof Sequence
L8: ifne L13
.stack same
L11: iconst_0
L12: ireturn
.stack same
L13: aload_1
L14: checkcast Sequence
L17: astore_2
L18: aload_0
L19: getfield Field Sequence calls Ljava/util/List;
L22: aload_2
L23: getfield Field Sequence calls Ljava/util/List;
L26: invokeinterface InterfaceMethod java/util/List equals (Ljava/lang/Object;)Z 2
L31: ireturn
L32:
.linenumbertable
L0 52
L11 53
L13 54
L18 55
.end linenumbertable
.end code
.end method
.method public hashCode : ()I
.code stack 2 locals 4
L0: bipush 17
L2: istore_1
L3: aload_0
L4: getfield Field Sequence calls Ljava/util/List;
L7: invokeinterface InterfaceMethod java/util/List iterator ()Ljava/util/Iterator; 1
L12: astore_2
.stack append Integer Object java/util/Iterator
L13: aload_2
L14: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1
L19: ifeq L45
L22: aload_2
L23: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1
L28: checkcast java/lang/String
L31: astore_3
L32: bipush 31
L34: iload_1
L35: imul
L36: aload_3
L37: invokevirtual Method java/lang/String hashCode ()I
L40: iadd
L41: istore_1
L42: goto L13
.stack chop 1
L45: iload_1
L46: ireturn
L47:
.linenumbertable
L0 60
L3 61
L32 62
L45 63
.end linenumbertable
.end code
.end method
.sourcefile 'Sequence.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 10:45:36 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
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 Sequence_ESTest extends Sequence_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Sequence sequence0 = new Sequence();
sequence0.addCall("Ec");
sequence0.addCall("Ec");
boolean boolean0 = sequence0.isSubsequenceOf(sequence0);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Sequence sequence0 = new Sequence();
List<String> list0 = sequence0.getCalls();
Sequence sequence1 = new Sequence(list0);
assertTrue(sequence1.equals((Object)sequence0));
sequence1.addCall("Ec");
sequence0.isSubsequenceOf(sequence1);
sequence0.addCall("VN");
sequence0.hashCode();
sequence1.isSubsequenceOf(sequence0);
sequence0.equals(list0);
Sequence sequence2 = new Sequence();
boolean boolean0 = sequence1.isSubsequenceOf(sequence2);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Sequence sequence0 = new Sequence();
sequence0.addCall("Ec");
sequence0.addCall("Ec");
List<String> list0 = sequence0.getCalls();
Sequence sequence1 = new Sequence(list0);
assertTrue(sequence1.equals((Object)sequence0));
sequence1.addCall("Ec");
sequence0.isSubsequenceOf(sequence1);
sequence0.addCall("VN");
sequence0.hashCode();
sequence1.isSubsequenceOf(sequence0);
sequence0.equals(list0);
Sequence sequence2 = new Sequence();
boolean boolean0 = sequence1.isSubsequenceOf(sequence2);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Sequence sequence0 = new Sequence();
boolean boolean0 = sequence0.equals(sequence0);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Sequence sequence0 = new Sequence();
boolean boolean0 = sequence0.equals((Object) null);
assertFalse(boolean0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 10:45:36 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Sequence_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Sequence";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpqcznst3a");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Sequence_ESTest_scaffolding.class.getClassLoader() ,
"Sequence"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Sequence_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Sequence"
);
}
}
| 12,141 |
LinkedHashMap | import java.util.HashMap;
import java.util.Iterator;
import java.util.Map;
/** Created by zhang on 2015/10/18. */
/*
我想怎么存进去,就怎么取出来
hashmap hm=new linkedhashmap();
*/
public class LinkedHashMap {
public static void main(String[] args) {
HashMap<Integer, String> hm = new java.util.LinkedHashMap<>();
hm.put(7, "sda");
hm.put(5, "ars");
hm.put(46, "ese");
hm.put(73, "gfd");
Iterator<Map.Entry<Integer, String>> i = hm.entrySet().iterator();
while (i.hasNext()) {
Map.Entry<Integer, String> me = i.next();
Integer key = me.getKey();
String value = me.getValue();
System.out.println(key + ":" + value);
}
}
}
| .version 52 0
.class public super LinkedHashMap
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 19
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 3 locals 6
L0: new java/util/LinkedHashMap
L3: dup
L4: invokespecial Method java/util/LinkedHashMap <init> ()V
L7: astore_1
L8: aload_1
L9: bipush 7
L11: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L14: ldc 'sda'
L16: invokevirtual Method java/util/HashMap put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object;
L19: pop
L20: aload_1
L21: iconst_5
L22: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L25: ldc 'ars'
L27: invokevirtual Method java/util/HashMap put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object;
L30: pop
L31: aload_1
L32: bipush 46
L34: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L37: ldc 'ese'
L39: invokevirtual Method java/util/HashMap put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object;
L42: pop
L43: aload_1
L44: bipush 73
L46: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L49: ldc 'gfd'
L51: invokevirtual Method java/util/HashMap put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object;
L54: pop
L55: aload_1
L56: invokevirtual Method java/util/HashMap entrySet ()Ljava/util/Set;
L59: invokeinterface InterfaceMethod java/util/Set iterator ()Ljava/util/Iterator; 1
L64: astore_2
.stack append Object java/util/HashMap Object java/util/Iterator
L65: aload_2
L66: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1
L71: ifeq L140
L74: aload_2
L75: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1
L80: checkcast java/util/Map$Entry
L83: astore_3
L84: aload_3
L85: invokeinterface InterfaceMethod java/util/Map$Entry getKey ()Ljava/lang/Object; 1
L90: checkcast java/lang/Integer
L93: astore 4
L95: aload_3
L96: invokeinterface InterfaceMethod java/util/Map$Entry getValue ()Ljava/lang/Object; 1
L101: checkcast java/lang/String
L104: astore 5
L106: getstatic Field java/lang/System out Ljava/io/PrintStream;
L109: new java/lang/StringBuilder
L112: dup
L113: invokespecial Method java/lang/StringBuilder <init> ()V
L116: aload 4
L118: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L121: ldc ':'
L123: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L126: aload 5
L128: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L131: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L134: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L137: goto L65
.stack same_extended
L140: return
L141:
.linenumbertable
L0 21
L8 23
L20 25
L31 26
L43 27
L55 28
L65 29
L74 30
L84 31
L95 32
L106 33
L137 34
L140 35
.end linenumbertable
.end code
.end method
.sourcefile 'LinkedHashMap.java'
.innerclasses
java/util/Map$Entry java/util/Map Entry public static interface abstract
.end innerclasses
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 11:56: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 LinkedHashMap_ESTest extends LinkedHashMap_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[1];
LinkedHashMap.main(stringArray0);
assertEquals(1, stringArray0.length);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
LinkedHashMap linkedHashMap0 = new LinkedHashMap();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 11:56: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 LinkedHashMap_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "LinkedHashMap";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpb5hc35jh");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(LinkedHashMap_ESTest_scaffolding.class.getClassLoader() ,
"LinkedHashMap"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(LinkedHashMap_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"LinkedHashMap"
);
}
}
| 12,142 |
Timer | public class Timer {
private long end;
private final long start;
private final long period;
public Timer(final long period) {
this.period = period;
start = System.currentTimeMillis();
end = start + period;
}
public boolean isRunning() {
return System.currentTimeMillis() < end;
}
public void reset() {
end = System.currentTimeMillis() + period;
}
}
| .version 52 0
.class public super Timer
.super java/lang/Object
.field private end J
.field private final start J
.field private final period J
.method public <init> : (J)V
.code stack 5 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: lload_1
L6: putfield Field Timer period J
L9: aload_0
L10: invokestatic Method java/lang/System currentTimeMillis ()J
L13: putfield Field Timer start J
L16: aload_0
L17: aload_0
L18: getfield Field Timer start J
L21: lload_1
L22: ladd
L23: putfield Field Timer end J
L26: return
L27:
.linenumbertable
L0 8
L4 9
L9 10
L16 11
L26 12
.end linenumbertable
.end code
.end method
.method public isRunning : ()Z
.code stack 4 locals 1
L0: invokestatic Method java/lang/System currentTimeMillis ()J
L3: aload_0
L4: getfield Field Timer end J
L7: lcmp
L8: ifge L15
L11: iconst_1
L12: goto L16
.stack same
L15: iconst_0
.stack stack_1 Integer
L16: ireturn
L17:
.linenumbertable
L0 15
.end linenumbertable
.end code
.end method
.method public reset : ()V
.code stack 5 locals 1
L0: aload_0
L1: invokestatic Method java/lang/System currentTimeMillis ()J
L4: aload_0
L5: getfield Field Timer period J
L8: ladd
L9: putfield Field Timer end J
L12: return
L13:
.linenumbertable
L0 19
L12 20
.end linenumbertable
.end code
.end method
.sourcefile 'Timer.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 17:01: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 Timer_ESTest extends Timer_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Timer timer0 = new Timer(0L);
boolean boolean0 = timer0.isRunning();
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Timer timer0 = new Timer(1L);
boolean boolean0 = timer0.isRunning();
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Timer timer0 = new Timer((-18655L));
boolean boolean0 = timer0.isRunning();
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Timer timer0 = new Timer((-18655L));
timer0.reset();
assertFalse(timer0.isRunning());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 17:01: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 Timer_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Timer";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpuv9fwod9");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Timer_ESTest_scaffolding.class.getClassLoader() ,
"Timer"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Timer_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Timer"
);
}
}
| 12,143 |
LongestPalindromicSubstring |
/**
* Longest Palindromic Substring Solution Given a string s, find the longest palindromic substring
* in s. You may assume that the maximum length of s is 1000.
*
* <p>Example 1:
*
* <p>Input: "babad" Output: "bab" Note: "aba" is also a valid answer. Example 2:
*
* <p>Input: "cbbd" Output: "bb"
*/
public class LongestPalindromicSubstring {
// Dynamic programming approach
public String dpLongestPalindrome(String s) {
if (null == s || s.isEmpty()) {
return s;
}
int l = s.length();
String ans = "";
int[][] dp = new int[l][l];
for (int i = 0; i < l; i++) {
dp[i][i] = 1;
if (i + 1 < l) {
dp[i][i + 1] = s.charAt(i) == s.charAt(i + 1) ? 1 : 0;
}
}
for (int i = 0; i < l; i++) { // i is the length of possible palindrome char sequence
for (int j = 0; j + i < l; j++) {
if (i == 0) dp[j][j + i] = 1; // Base case: all single char are palindrome
else if (i == 1)
dp[j][j + i] =
s.charAt(j) == s.charAt(i + j)
? 1
: 0; // Base case: all pair chars are palindrome if they are the same.
else dp[j][j + i] = s.charAt(j) == s.charAt(i + j) && dp[j + 1][j + i - 1] == 1 ? 1 : 0;
// All chars from j to j+i are palindrome if only if charAt i equals charAt i+j and chars
// form j+1 to i+j-1 are palindrome.
// And as the length i is bigger than i-2, the dp[j+1][j+i-1] must be initialized in former
// loop.
if (dp[j][j + i] == 1 && i + 1 > ans.length()) {
ans = s.substring(j, j + i + 1);
}
}
}
return ans;
}
// expand from each char to check the possible longest substring
public String longestPalindrome(String s) {
if (null == s || s.isEmpty()) {
return s;
}
int l = s.length();
String ans = "";
for (int i = 0; i < l; i++) {
String odd = expand(s, i, i);
ans = odd.length() > ans.length() ? odd : ans;
String even = expand(s, i, i + 1);
ans = even.length() > ans.length() ? even : ans;
}
return ans;
}
private String expand(String s, int l, int r) {
// while (l >= 0 && r < s.length()) {
// if (s.charAt(l) == s.charAt(r)) {
// l--;
// r++;
// } else {
// break;
// }
// }
// Remember clean code
while (l >= 0 && r < s.length() && s.charAt(l) == s.charAt(r)) {
l--;
r++;
}
return s.substring(l + 1, r);
}
}
| .version 52 0
.class public super LongestPalindromicSubstring
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 20
.end linenumbertable
.end code
.end method
.method public dpLongestPalindrome : (Ljava/lang/String;)Ljava/lang/String;
.code stack 6 locals 7
L0: aconst_null
L1: aload_1
L2: if_acmpeq L12
L5: aload_1
L6: invokevirtual Method java/lang/String isEmpty ()Z
L9: ifeq L14
.stack same
L12: aload_1
L13: areturn
.stack same
L14: aload_1
L15: invokevirtual Method java/lang/String length ()I
L18: istore_2
L19: ldc ''
L21: astore_3
L22: iload_2
L23: iload_2
L24: multianewarray [[I 2
L28: astore 4
L30: iconst_0
L31: istore 5
.stack full
locals Object LongestPalindromicSubstring Object java/lang/String Integer Object java/lang/String Object [[I Integer
stack
.end stack
L33: iload 5
L35: iload_2
L36: if_icmpge L94
L39: aload 4
L41: iload 5
L43: aaload
L44: iload 5
L46: iconst_1
L47: iastore
L48: iload 5
L50: iconst_1
L51: iadd
L52: iload_2
L53: if_icmpge L88
L56: aload 4
L58: iload 5
L60: aaload
L61: iload 5
L63: iconst_1
L64: iadd
L65: aload_1
L66: iload 5
L68: invokevirtual Method java/lang/String charAt (I)C
L71: aload_1
L72: iload 5
L74: iconst_1
L75: iadd
L76: invokevirtual Method java/lang/String charAt (I)C
L79: if_icmpne L86
L82: iconst_1
L83: goto L87
.stack full
locals Object LongestPalindromicSubstring Object java/lang/String Integer Object java/lang/String Object [[I Integer
stack Object [I Integer
.end stack
L86: iconst_0
.stack full
locals Object LongestPalindromicSubstring Object java/lang/String Integer Object java/lang/String Object [[I Integer
stack Object [I Integer Integer
.end stack
L87: iastore
.stack same
L88: iinc 5 1
L91: goto L33
.stack chop 1
L94: iconst_0
L95: istore 5
.stack append Integer
L97: iload 5
L99: iload_2
L100: if_icmpge L283
L103: iconst_0
L104: istore 6
.stack append Integer
L106: iload 6
L108: iload 5
L110: iadd
L111: iload_2
L112: if_icmpge L277
L115: iload 5
L117: ifne L135
L120: aload 4
L122: iload 6
L124: aaload
L125: iload 6
L127: iload 5
L129: iadd
L130: iconst_1
L131: iastore
L132: goto L231
.stack same
L135: iload 5
L137: iconst_1
L138: if_icmpne L178
L141: aload 4
L143: iload 6
L145: aaload
L146: iload 6
L148: iload 5
L150: iadd
L151: aload_1
L152: iload 6
L154: invokevirtual Method java/lang/String charAt (I)C
L157: aload_1
L158: iload 5
L160: iload 6
L162: iadd
L163: invokevirtual Method java/lang/String charAt (I)C
L166: if_icmpne L173
L169: iconst_1
L170: goto L174
.stack full
locals Object LongestPalindromicSubstring Object java/lang/String Integer Object java/lang/String Object [[I Integer Integer
stack Object [I Integer
.end stack
L173: iconst_0
.stack full
locals Object LongestPalindromicSubstring Object java/lang/String Integer Object java/lang/String Object [[I Integer Integer
stack Object [I Integer Integer
.end stack
L174: iastore
L175: goto L231
.stack same
L178: aload 4
L180: iload 6
L182: aaload
L183: iload 6
L185: iload 5
L187: iadd
L188: aload_1
L189: iload 6
L191: invokevirtual Method java/lang/String charAt (I)C
L194: aload_1
L195: iload 5
L197: iload 6
L199: iadd
L200: invokevirtual Method java/lang/String charAt (I)C
L203: if_icmpne L229
L206: aload 4
L208: iload 6
L210: iconst_1
L211: iadd
L212: aaload
L213: iload 6
L215: iload 5
L217: iadd
L218: iconst_1
L219: isub
L220: iaload
L221: iconst_1
L222: if_icmpne L229
L225: iconst_1
L226: goto L230
.stack full
locals Object LongestPalindromicSubstring Object java/lang/String Integer Object java/lang/String Object [[I Integer Integer
stack Object [I Integer
.end stack
L229: iconst_0
.stack full
locals Object LongestPalindromicSubstring Object java/lang/String Integer Object java/lang/String Object [[I Integer Integer
stack Object [I Integer Integer
.end stack
L230: iastore
.stack same
L231: aload 4
L233: iload 6
L235: aaload
L236: iload 6
L238: iload 5
L240: iadd
L241: iaload
L242: iconst_1
L243: if_icmpne L271
L246: iload 5
L248: iconst_1
L249: iadd
L250: aload_3
L251: invokevirtual Method java/lang/String length ()I
L254: if_icmple L271
L257: aload_1
L258: iload 6
L260: iload 6
L262: iload 5
L264: iadd
L265: iconst_1
L266: iadd
L267: invokevirtual Method java/lang/String substring (II)Ljava/lang/String;
L270: astore_3
.stack same
L271: iinc 6 1
L274: goto L106
.stack chop 1
L277: iinc 5 1
L280: goto L97
.stack chop 1
L283: aload_3
L284: areturn
L285:
.linenumbertable
L0 25
L12 26
L14 28
L19 29
L22 31
L30 33
L39 34
L48 35
L56 36
L88 33
L94 40
L103 41
L115 42
L120 43
L135 44
L141 45
L178 47
L231 50
L257 51
L271 41
L277 40
L283 57
.end linenumbertable
.end code
.end method
.method public longestPalindrome : (Ljava/lang/String;)Ljava/lang/String;
.code stack 5 locals 7
L0: aconst_null
L1: aload_1
L2: if_acmpeq L12
L5: aload_1
L6: invokevirtual Method java/lang/String isEmpty ()Z
L9: ifeq L14
.stack same
L12: aload_1
L13: areturn
.stack same
L14: aload_1
L15: invokevirtual Method java/lang/String length ()I
L18: istore_2
L19: ldc ''
L21: astore_3
L22: iconst_0
L23: istore 4
.stack append Integer Object java/lang/String Integer
L25: iload 4
L27: iload_2
L28: if_icmpge L99
L31: aload_0
L32: aload_1
L33: iload 4
L35: iload 4
L37: invokespecial Method LongestPalindromicSubstring expand (Ljava/lang/String;II)Ljava/lang/String;
L40: astore 5
L42: aload 5
L44: invokevirtual Method java/lang/String length ()I
L47: aload_3
L48: invokevirtual Method java/lang/String length ()I
L51: if_icmple L59
L54: aload 5
L56: goto L60
.stack append Object java/lang/String
L59: aload_3
.stack stack_1 Object java/lang/String
L60: astore_3
L61: aload_0
L62: aload_1
L63: iload 4
L65: iload 4
L67: iconst_1
L68: iadd
L69: invokespecial Method LongestPalindromicSubstring expand (Ljava/lang/String;II)Ljava/lang/String;
L72: astore 6
L74: aload 6
L76: invokevirtual Method java/lang/String length ()I
L79: aload_3
L80: invokevirtual Method java/lang/String length ()I
L83: if_icmple L91
L86: aload 6
L88: goto L92
.stack append Object java/lang/String
L91: aload_3
.stack stack_1 Object java/lang/String
L92: astore_3
L93: iinc 4 1
L96: goto L25
.stack chop 3
L99: aload_3
L100: areturn
L101:
.linenumbertable
L0 62
L12 63
L14 65
L19 67
L22 68
L31 69
L42 70
L61 71
L74 72
L93 68
L99 75
.end linenumbertable
.end code
.end method
.method private expand : (Ljava/lang/String;II)Ljava/lang/String;
.code stack 3 locals 4
.stack same
L0: iload_2
L1: iflt L34
L4: iload_3
L5: aload_1
L6: invokevirtual Method java/lang/String length ()I
L9: if_icmpge L34
L12: aload_1
L13: iload_2
L14: invokevirtual Method java/lang/String charAt (I)C
L17: aload_1
L18: iload_3
L19: invokevirtual Method java/lang/String charAt (I)C
L22: if_icmpne L34
L25: iinc 2 -1
L28: iinc 3 1
L31: goto L0
.stack same
L34: aload_1
L35: iload_2
L36: iconst_1
L37: iadd
L38: iload_3
L39: invokevirtual Method java/lang/String substring (II)Ljava/lang/String;
L42: areturn
L43:
.linenumbertable
L0 89
L25 90
L28 91
L34 93
.end linenumbertable
.end code
.end method
.sourcefile 'LongestPalindromicSubstring.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 23:53: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 LongestPalindromicSubstring_ESTest extends LongestPalindromicSubstring_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
LongestPalindromicSubstring longestPalindromicSubstring0 = new LongestPalindromicSubstring();
longestPalindromicSubstring0.dpLongestPalindrome("gtM0'pIl)IqYSW2");
longestPalindromicSubstring0.longestPalindrome("gtM0'pIl)IqYSW2");
longestPalindromicSubstring0.dpLongestPalindrome("gtM0'pIl)IqYSW2");
longestPalindromicSubstring0.dpLongestPalindrome("0Zm`!");
String string0 = longestPalindromicSubstring0.longestPalindrome("0");
String string1 = longestPalindromicSubstring0.dpLongestPalindrome("`'fJ#4(Bh(");
longestPalindromicSubstring0.dpLongestPalindrome("0");
longestPalindromicSubstring0.longestPalindrome("");
String string2 = longestPalindromicSubstring0.dpLongestPalindrome("0");
assertTrue(string2.equals((Object)string0));
longestPalindromicSubstring0.longestPalindrome("");
String string3 = longestPalindromicSubstring0.dpLongestPalindrome("YLq_%fllEz!g_rT");
assertEquals("ll", string3);
longestPalindromicSubstring0.longestPalindrome("LongestPalindromicSubstring");
longestPalindromicSubstring0.longestPalindrome("q");
longestPalindromicSubstring0.dpLongestPalindrome("");
longestPalindromicSubstring0.dpLongestPalindrome("<9ck&!:/ne4N2D_Py");
String string4 = longestPalindromicSubstring0.longestPalindrome("`'fJ#4(Bh(");
assertTrue(string4.equals((Object)string1));
String string5 = longestPalindromicSubstring0.longestPalindrome("T;u&F<&jOsO<4{[f");
assertEquals("OsO", string5);
longestPalindromicSubstring0.dpLongestPalindrome("");
longestPalindromicSubstring0.longestPalindrome("");
String string6 = longestPalindromicSubstring0.dpLongestPalindrome(" q'9~Oh=GyL");
assertEquals(" ", string6);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
LongestPalindromicSubstring longestPalindromicSubstring0 = new LongestPalindromicSubstring();
longestPalindromicSubstring0.longestPalindrome("LongestPalindromicSubstring");
longestPalindromicSubstring0.longestPalindrome((String) null);
longestPalindromicSubstring0.longestPalindrome("");
longestPalindromicSubstring0.dpLongestPalindrome("");
longestPalindromicSubstring0.dpLongestPalindrome((String) null);
longestPalindromicSubstring0.longestPalindrome((String) null);
longestPalindromicSubstring0.longestPalindrome("L");
longestPalindromicSubstring0.longestPalindrome("");
longestPalindromicSubstring0.dpLongestPalindrome((String) null);
longestPalindromicSubstring0.dpLongestPalindrome("2hl`~NNa;`2]5a^XO&");
longestPalindromicSubstring0.longestPalindrome("");
longestPalindromicSubstring0.longestPalindrome("");
longestPalindromicSubstring0.dpLongestPalindrome("");
longestPalindromicSubstring0.dpLongestPalindrome("");
longestPalindromicSubstring0.longestPalindrome(")aF<");
longestPalindromicSubstring0.longestPalindrome("");
longestPalindromicSubstring0.dpLongestPalindrome("9_j0");
longestPalindromicSubstring0.longestPalindrome((String) null);
String string0 = longestPalindromicSubstring0.longestPalindrome((String) null);
assertNull(string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
LongestPalindromicSubstring longestPalindromicSubstring0 = new LongestPalindromicSubstring();
longestPalindromicSubstring0.dpLongestPalindrome("}ZY$\"Q_xp");
String string0 = longestPalindromicSubstring0.longestPalindrome("}ZY$\"Q_xp");
longestPalindromicSubstring0.dpLongestPalindrome("}");
longestPalindromicSubstring0.dpLongestPalindrome("T?b");
longestPalindromicSubstring0.dpLongestPalindrome("}");
longestPalindromicSubstring0.dpLongestPalindrome("}");
longestPalindromicSubstring0.longestPalindrome("}");
longestPalindromicSubstring0.longestPalindrome("}");
longestPalindromicSubstring0.dpLongestPalindrome("T?b");
String string1 = longestPalindromicSubstring0.longestPalindrome("T");
assertEquals("T", string1);
longestPalindromicSubstring0.longestPalindrome("9B-");
longestPalindromicSubstring0.dpLongestPalindrome("9");
longestPalindromicSubstring0.longestPalindrome("1Uf+{%[+fO0");
longestPalindromicSubstring0.dpLongestPalindrome("LongestPalindromicSubstring");
longestPalindromicSubstring0.dpLongestPalindrome("T");
String string2 = longestPalindromicSubstring0.dpLongestPalindrome("-f*Dp;J4f{)ZG:+vD");
assertEquals("-", string2);
String string3 = longestPalindromicSubstring0.dpLongestPalindrome("T");
longestPalindromicSubstring0.dpLongestPalindrome("T");
longestPalindromicSubstring0.dpLongestPalindrome("}");
String string4 = longestPalindromicSubstring0.dpLongestPalindrome("}");
assertTrue(string4.equals((Object)string0));
String string5 = longestPalindromicSubstring0.dpLongestPalindrome("");
assertFalse(string5.equals((Object)string3));
}
@Test(timeout = 4000)
public void test3() throws Throwable {
LongestPalindromicSubstring longestPalindromicSubstring0 = new LongestPalindromicSubstring();
String string0 = longestPalindromicSubstring0.dpLongestPalindrome("iBp$9u");
longestPalindromicSubstring0.longestPalindrome("dtk}\"k0");
longestPalindromicSubstring0.longestPalindrome("i");
longestPalindromicSubstring0.longestPalindrome("");
String string1 = longestPalindromicSubstring0.longestPalindrome("i");
assertTrue(string1.equals((Object)string0));
longestPalindromicSubstring0.dpLongestPalindrome("");
longestPalindromicSubstring0.longestPalindrome("HJ#*7Zbd");
String string2 = longestPalindromicSubstring0.longestPalindrome("%!(uGQH)E+");
assertEquals("%", string2);
longestPalindromicSubstring0.dpLongestPalindrome("");
String string3 = longestPalindromicSubstring0.longestPalindrome("");
assertEquals("", string3);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
LongestPalindromicSubstring longestPalindromicSubstring0 = new LongestPalindromicSubstring();
longestPalindromicSubstring0.longestPalindrome("");
longestPalindromicSubstring0.dpLongestPalindrome("b+eRgRxN5e3");
longestPalindromicSubstring0.dpLongestPalindrome("b");
longestPalindromicSubstring0.dpLongestPalindrome("b");
longestPalindromicSubstring0.longestPalindrome("");
longestPalindromicSubstring0.dpLongestPalindrome("");
longestPalindromicSubstring0.dpLongestPalindrome("");
longestPalindromicSubstring0.dpLongestPalindrome("");
longestPalindromicSubstring0.dpLongestPalindrome("LongestPalindromicSubstring");
longestPalindromicSubstring0.dpLongestPalindrome("b+eRgRxN5e3");
longestPalindromicSubstring0.longestPalindrome("LongestPalindromicSubstring");
longestPalindromicSubstring0.dpLongestPalindrome("LongestPalindromicSubstring");
String string0 = longestPalindromicSubstring0.dpLongestPalindrome("L");
String string1 = longestPalindromicSubstring0.dpLongestPalindrome("b");
longestPalindromicSubstring0.longestPalindrome("");
longestPalindromicSubstring0.dpLongestPalindrome("");
String string2 = longestPalindromicSubstring0.longestPalindrome("LongestPalindromicSubstring");
assertTrue(string2.equals((Object)string0));
longestPalindromicSubstring0.dpLongestPalindrome("b");
longestPalindromicSubstring0.longestPalindrome("");
longestPalindromicSubstring0.longestPalindrome("");
String string3 = longestPalindromicSubstring0.longestPalindrome("|e-!=z>E`uus)");
assertEquals("uu", string3);
longestPalindromicSubstring0.longestPalindrome("");
longestPalindromicSubstring0.dpLongestPalindrome("");
String string4 = longestPalindromicSubstring0.dpLongestPalindrome("LongestPalindromicSubstring");
assertEquals("L", string4);
String string5 = longestPalindromicSubstring0.longestPalindrome("");
assertFalse(string5.equals((Object)string1));
}
@Test(timeout = 4000)
public void test5() throws Throwable {
LongestPalindromicSubstring longestPalindromicSubstring0 = new LongestPalindromicSubstring();
String string0 = longestPalindromicSubstring0.longestPalindrome("PEs-");
longestPalindromicSubstring0.dpLongestPalindrome("");
longestPalindromicSubstring0.longestPalindrome((String) null);
longestPalindromicSubstring0.longestPalindrome("");
longestPalindromicSubstring0.longestPalindrome("");
longestPalindromicSubstring0.longestPalindrome("");
longestPalindromicSubstring0.longestPalindrome("u%Lyk}g7cmB");
longestPalindromicSubstring0.longestPalindrome("On");
String string1 = longestPalindromicSubstring0.dpLongestPalindrome("PEs-");
String string2 = longestPalindromicSubstring0.longestPalindrome("P");
assertTrue(string2.equals((Object)string1));
longestPalindromicSubstring0.longestPalindrome("KX_GHytda");
longestPalindromicSubstring0.longestPalindrome("");
String string3 = longestPalindromicSubstring0.dpLongestPalindrome("P");
assertTrue(string3.equals((Object)string0));
longestPalindromicSubstring0.longestPalindrome((String) null);
longestPalindromicSubstring0.longestPalindrome(";OdfjiuM{eTBd_E");
longestPalindromicSubstring0.dpLongestPalindrome((String) null);
longestPalindromicSubstring0.longestPalindrome("");
longestPalindromicSubstring0.dpLongestPalindrome("");
String string4 = longestPalindromicSubstring0.longestPalindrome("");
assertFalse(string4.equals((Object)string3));
}
@Test(timeout = 4000)
public void test6() throws Throwable {
LongestPalindromicSubstring longestPalindromicSubstring0 = new LongestPalindromicSubstring();
longestPalindromicSubstring0.longestPalindrome((String) null);
longestPalindromicSubstring0.dpLongestPalindrome((String) null);
longestPalindromicSubstring0.longestPalindrome((String) null);
longestPalindromicSubstring0.dpLongestPalindrome("~HYD%Y");
longestPalindromicSubstring0.dpLongestPalindrome("");
longestPalindromicSubstring0.dpLongestPalindrome("");
longestPalindromicSubstring0.dpLongestPalindrome("EuV");
longestPalindromicSubstring0.longestPalindrome("E");
longestPalindromicSubstring0.longestPalindrome("F${S(P_j");
longestPalindromicSubstring0.longestPalindrome("F${S(P_j");
longestPalindromicSubstring0.dpLongestPalindrome("LongestPalindromicSubstring");
longestPalindromicSubstring0.longestPalindrome((String) null);
longestPalindromicSubstring0.longestPalindrome("4(g~Hy/I/");
longestPalindromicSubstring0.longestPalindrome("");
longestPalindromicSubstring0.longestPalindrome("4(g~Hy/I/");
longestPalindromicSubstring0.dpLongestPalindrome("6");
longestPalindromicSubstring0.longestPalindrome("V`STrqj>");
String string0 = longestPalindromicSubstring0.dpLongestPalindrome((String) null);
assertNull(string0);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
LongestPalindromicSubstring longestPalindromicSubstring0 = new LongestPalindromicSubstring();
longestPalindromicSubstring0.longestPalindrome("");
String string0 = longestPalindromicSubstring0.longestPalindrome("sH&i8&hUv:");
assertEquals("s", string0);
String string1 = longestPalindromicSubstring0.dpLongestPalindrome("E{)\"omSV8^yw.");
assertEquals("E", string1);
longestPalindromicSubstring0.dpLongestPalindrome("E");
longestPalindromicSubstring0.longestPalindrome("LongestPalindromicSubstring");
String string2 = longestPalindromicSubstring0.dpLongestPalindrome("s");
assertTrue(string2.equals((Object)string0));
String string3 = longestPalindromicSubstring0.dpLongestPalindrome("9SFlRT|RCGS");
longestPalindromicSubstring0.longestPalindrome("s");
longestPalindromicSubstring0.longestPalindrome("4afd\u0003ib!l");
longestPalindromicSubstring0.longestPalindrome("4afd\u0003ib!l");
String string4 = longestPalindromicSubstring0.longestPalindrome("9");
assertTrue(string4.equals((Object)string3));
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 23:53: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 LongestPalindromicSubstring_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "LongestPalindromicSubstring";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpuwj9zfbk");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(LongestPalindromicSubstring_ESTest_scaffolding.class.getClassLoader() ,
"LongestPalindromicSubstring"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(LongestPalindromicSubstring_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"LongestPalindromicSubstring"
);
}
}
| 12,144 |
Lesson01Introduction | import java.security.SecureRandom;
import java.util.ArrayList;
import java.util.List;
import java.util.Random;
/*
* Lambda Expressions fue incluido en Java 1.8 y nos proveen una forma simple de representar
* funciones anónimas, por medio de esto logramos código mas legible, abstracto y menos propenso a errores.
* Además son ampliamente usado en Streams lo cual es otra característica agregada en Java 1.8.
*
*/
public class Lesson01Introduction {
public static void main(String[] args) {
// Generamos datos random
Random random = new SecureRandom();
List<Integer> numbers = new ArrayList<>();
for (int i = 0; i < 100; i++) {
numbers.add(random.nextInt(50000));
}
System.out.println("Initial State: " + numbers);
/*
* Aca estamos usando una Lambda Expression
* Como se puede ver no definimos el tipo de datos de el parámetro
* left & right esto se debe a que además se mejoro la inferencia de tipos
* y como sort recibe un comparator con el generic type de la lista ya detecta
* que solo pueden ser Integers.
* La forma de hacer esto mismo en Java 1.7 era utilizando una clase anónima o creando
* una clase que implementaba el Comparator.
* Es importante aclarar que los Lambda Expression representa un método pero no son
* asociados con una clase por lo cual reciben el nombre de funciones anónimas
*/
numbers.sort((left, right) -> left.compareTo(right));
System.out.println("Final State: " + numbers);
/*
* Ahora podemos revisar otro detalle sobre los lambda dado que cuando
* compilamos nuestra clase no vemos ninguna clase anónima o algo similar surge la duda
* como los lambdas están definido
* Para esto podemos usar el comando "javap -p <ClassName>.class"
* Si hacemos esto veremos que nuestra clase tiene métodos del estilo
*
* private static void lambda$X$Y()
* - Donde x representa el nombre del método que contiene el lambda
* - Donde y representa un numero de secuencia iniciado en 0
*
* Luego en tiempo de ejecuccion esto de resuelve con una instrucción a nivel de bytecode,
* llamada invokedynamic, esta fue incluida en Java 1.7
* Durante el runtime se genera bytecode on the fly para ejecutar estos métodos, eso hace uso
* de sun.misc.Unsafe.defineAnonymousClass() y podemos ver las clases generadas con el siguiente
* parámetro "-Djdk.internal.lambda.dumpProxyClasses=<path>"
*/
Runnable lambda = () -> System.out.println("Hello World");
lambda.run();
}
}
| .version 52 0
.class public super Lesson01Introduction
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 14
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 3 locals 4
L0: new java/security/SecureRandom
L3: dup
L4: invokespecial Method java/security/SecureRandom <init> ()V
L7: astore_1
L8: new java/util/ArrayList
L11: dup
L12: invokespecial Method java/util/ArrayList <init> ()V
L15: astore_2
L16: iconst_0
L17: istore_3
.stack append Object java/util/Random Object java/util/List Integer
L18: iload_3
L19: bipush 100
L21: if_icmpge L46
L24: aload_2
L25: aload_1
L26: ldc 50000
L28: invokevirtual Method java/util/Random nextInt (I)I
L31: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L34: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L39: pop
L40: iinc 3 1
L43: goto L18
.stack chop 1
L46: getstatic Field java/lang/System out Ljava/io/PrintStream;
L49: new java/lang/StringBuilder
L52: dup
L53: invokespecial Method java/lang/StringBuilder <init> ()V
L56: ldc 'Initial State: '
L58: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L61: aload_2
L62: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L65: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L68: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L71: aload_2
L72: invokedynamic [id18]
L77: invokeinterface InterfaceMethod java/util/List sort (Ljava/util/Comparator;)V 2
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 'Final State: '
L94: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L97: aload_2
L98: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L101: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L104: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L107: invokedynamic [id21]
L112: astore_3
L113: aload_3
L114: invokeinterface InterfaceMethod java/lang/Runnable run ()V 1
L119: return
L120:
.linenumbertable
L0 17
L8 19
L16 21
L24 22
L40 21
L46 25
L71 38
L82 40
L107 59
L113 61
L119 62
.end linenumbertable
.end code
.end method
.method private static synthetic lambda$main$1 : ()V
.code stack 2 locals 0
L0: getstatic Field java/lang/System out Ljava/io/PrintStream;
L3: ldc 'Hello World'
L5: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L8: return
L9:
.linenumbertable
L0 59
.end linenumbertable
.end code
.end method
.method private static synthetic lambda$main$0 : (Ljava/lang/Integer;Ljava/lang/Integer;)I
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokevirtual Method java/lang/Integer compareTo (Ljava/lang/Integer;)I
L5: ireturn
L6:
.linenumbertable
L0 38
.end linenumbertable
.end code
.end method
.sourcefile 'Lesson01Introduction.java'
.innerclasses
java/lang/invoke/MethodHandles$Lookup java/lang/invoke/MethodHandles Lookup public static final
.end innerclasses
.const [id18] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory (Ljava/lang/invoke/MethodHandles$Lookup;Ljava/lang/String;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodHandle;Ljava/lang/invoke/MethodType;)Ljava/lang/invoke/CallSite; MethodType (Ljava/lang/Object;Ljava/lang/Object;)I MethodHandle invokeStatic Method Lesson01Introduction lambda$main$0 (Ljava/lang/Integer;Ljava/lang/Integer;)I MethodType (Ljava/lang/Integer;Ljava/lang/Integer;)I : compare ()Ljava/util/Comparator;
.const [id21] = 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 Lesson01Introduction lambda$main$1 ()V MethodType ()V : run ()Ljava/lang/Runnable;
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 03:15: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 Lesson01Introduction_ESTest extends Lesson01Introduction_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[9];
Lesson01Introduction.main(stringArray0);
Lesson01Introduction lesson01Introduction0 = new Lesson01Introduction();
Lesson01Introduction.main(stringArray0);
assertEquals(9, stringArray0.length);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 03:15: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 Lesson01Introduction_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Lesson01Introduction";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpdjw6zi4w");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Lesson01Introduction_ESTest_scaffolding.class.getClassLoader() ,
"Lesson01Introduction"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Lesson01Introduction_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Lesson01Introduction"
);
}
}
| 12,145 |
Assess | public class Assess {
private int asid;
private String asdate;
private String ascount;
private String cname;
private String pname;
public String getPname() {
return pname;
}
public void setPname(String pname) {
this.pname = pname;
}
public String getCname() {
return cname;
}
public void setCname(String cname) {
this.cname = cname;
}
public Assess() {}
public int getAsid() {
return asid;
}
public void setAsid(int asid) {
this.asid = asid;
}
public String getAsdate() {
return asdate;
}
public void setAsdate(String asdate) {
this.asdate = asdate;
}
public String getAscount() {
return ascount;
}
public void setAscount(String ascount) {
this.ascount = ascount;
}
@Override
public String toString() {
return "Assess [asid="
+ asid
+ ", asdate="
+ asdate
+ ", ascount="
+ ascount
+ ", cname="
+ cname
+ ", pname="
+ pname
+ "]";
}
public Assess(int asid, String asdate, String ascount, String cname, String pname) {
this.asid = asid;
this.asdate = asdate;
this.ascount = ascount;
this.cname = cname;
this.pname = pname;
}
}
| .version 52 0
.class public super Assess
.super java/lang/Object
.field private asid I
.field private asdate Ljava/lang/String;
.field private ascount Ljava/lang/String;
.field private cname Ljava/lang/String;
.field private pname Ljava/lang/String;
.method public getPname : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Assess pname Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 12
.end linenumbertable
.end code
.end method
.method public setPname : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Assess pname Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 16
L5 17
.end linenumbertable
.end code
.end method
.method public getCname : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Assess cname Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 20
.end linenumbertable
.end code
.end method
.method public setCname : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Assess cname Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 24
L5 25
.end linenumbertable
.end code
.end method
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 27
L4 28
.end linenumbertable
.end code
.end method
.method public getAsid : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Assess asid I
L4: ireturn
L5:
.linenumbertable
L0 33
.end linenumbertable
.end code
.end method
.method public setAsid : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field Assess asid I
L5: return
L6:
.linenumbertable
L0 37
L5 38
.end linenumbertable
.end code
.end method
.method public getAsdate : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Assess asdate Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 41
.end linenumbertable
.end code
.end method
.method public setAsdate : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Assess asdate Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 45
L5 46
.end linenumbertable
.end code
.end method
.method public getAscount : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Assess ascount Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 49
.end linenumbertable
.end code
.end method
.method public setAscount : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Assess ascount Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 53
L5 54
.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 'Assess [asid='
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field Assess asid I
L16: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L19: ldc ', asdate='
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: aload_0
L25: getfield Field Assess asdate Ljava/lang/String;
L28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L31: ldc ', ascount='
L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L36: aload_0
L37: getfield Field Assess ascount Ljava/lang/String;
L40: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L43: ldc ', cname='
L45: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L48: aload_0
L49: getfield Field Assess cname Ljava/lang/String;
L52: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L55: ldc ', pname='
L57: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L60: aload_0
L61: getfield Field Assess pname Ljava/lang/String;
L64: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L67: ldc ']'
L69: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L72: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L75: areturn
L76:
.linenumbertable
L0 58
.end linenumbertable
.end code
.end method
.method public <init> : (ILjava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V
.code stack 2 locals 6
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iload_1
L6: putfield Field Assess asid I
L9: aload_0
L10: aload_2
L11: putfield Field Assess asdate Ljava/lang/String;
L14: aload_0
L15: aload_3
L16: putfield Field Assess ascount Ljava/lang/String;
L19: aload_0
L20: aload 4
L22: putfield Field Assess cname Ljava/lang/String;
L25: aload_0
L26: aload 5
L28: putfield Field Assess pname Ljava/lang/String;
L31: return
L32:
.linenumbertable
L0 62
L4 63
L9 64
L14 65
L19 66
L25 67
L31 68
.end linenumbertable
.end code
.end method
.sourcefile 'Assess.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 01:29: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 Assess_ESTest extends Assess_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
Assess assess0 = new Assess();
assess0.setPname("");
String string0 = assess0.getPname();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
Assess assess0 = new Assess(1, "WX,rsRr=1:_7|B<;*-", "WX,rsRr=1:_7|B<;*-", (String) null, "");
assess0.setCname("WX,rsRr=1:_7|B<;*-");
assess0.getCname();
assertEquals(1, assess0.getAsid());
}
@Test(timeout = 4000)
public void test02() throws Throwable {
Assess assess0 = new Assess();
assess0.setCname("");
String string0 = assess0.getCname();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
Assess assess0 = new Assess(1, "WX,rsRr=1:_7|B<;*-", "WX,rsRr=1:_7|B<;*-", (String) null, "");
int int0 = assess0.getAsid();
assertEquals(1, int0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
Assess assess0 = new Assess();
assess0.setAsid((-52739));
int int0 = assess0.getAsid();
assertEquals((-52739), int0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
Assess assess0 = new Assess(0, "58r[/FTlF=k&^mOva0G", "58r[/FTlF=k&^mOva0G", "58r[/FTlF=k&^mOva0G", "58r[/FTlF=k&^mOva0G");
assess0.getAsdate();
assertEquals(0, assess0.getAsid());
}
@Test(timeout = 4000)
public void test06() throws Throwable {
Assess assess0 = new Assess(0, "", "*,e&z;", "*,e&z;", ", pname=");
assess0.getAsdate();
assertEquals(0, assess0.getAsid());
}
@Test(timeout = 4000)
public void test07() throws Throwable {
Assess assess0 = new Assess(52479, "O{B;m%NgHoIPTq|z", "O{B;m%NgHoIPTq|z", "", "");
assess0.getAscount();
assertEquals(52479, assess0.getAsid());
}
@Test(timeout = 4000)
public void test08() throws Throwable {
Assess assess0 = new Assess();
assess0.setAscount("");
String string0 = assess0.getAscount();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
Assess assess0 = new Assess();
assess0.setAsdate("zL}");
assertNull(assess0.getCname());
}
@Test(timeout = 4000)
public void test10() throws Throwable {
Assess assess0 = new Assess();
int int0 = assess0.getAsid();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
Assess assess0 = new Assess(0, "58r[/FTlF=k&^mOva0G", "58r[/FTlF=k&^mOva0G", "58r[/FTlF=k&^mOva0G", "58r[/FTlF=k&^mOva0G");
String string0 = assess0.toString();
assertEquals("Assess [asid=0, asdate=58r[/FTlF=k&^mOva0G, ascount=58r[/FTlF=k&^mOva0G, cname=58r[/FTlF=k&^mOva0G, pname=58r[/FTlF=k&^mOva0G]", string0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
Assess assess0 = new Assess();
String string0 = assess0.getPname();
assertNull(string0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
Assess assess0 = new Assess();
String string0 = assess0.getCname();
assertNull(string0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
Assess assess0 = new Assess(0, "", "", "", ".ZQ>Ap%!");
assess0.getPname();
assertEquals(0, assess0.getAsid());
}
@Test(timeout = 4000)
public void test15() throws Throwable {
Assess assess0 = new Assess();
String string0 = assess0.getAscount();
assertNull(string0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
Assess assess0 = new Assess();
String string0 = assess0.getAsdate();
assertNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 01:29: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 Assess_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Assess";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpvax028qw");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Assess_ESTest_scaffolding.class.getClassLoader() ,
"Assess"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Assess_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Assess"
);
}
}
| 12,146 |
Table | /**
* SQL table reference
*
* @date 25-02-2013
* @author Michal Wronski
*/
public final class Table {
private final Class<?> tableClass;
private final String alias;
public Table(final Class<?> tableClass, final String alias) {
this.tableClass = tableClass;
this.alias = alias;
}
public Class<?> getTableClass() {
return tableClass;
}
/**
* Get table alias
*
* @return
*/
public String getAlias() {
return alias;
}
}
| .version 52 0
.class public final super Table
.super java/lang/Object
.field private final tableClass Ljava/lang/Class; .fieldattributes
.signature Ljava/lang/Class<*>;
.end fieldattributes
.field private final alias Ljava/lang/String;
.method public <init> : (Ljava/lang/Class;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 Table tableClass Ljava/lang/Class;
L9: aload_0
L10: aload_2
L11: putfield Field Table alias Ljava/lang/String;
L14: return
L15:
.linenumbertable
L0 15
L4 16
L9 17
L14 18
.end linenumbertable
.end code
.signature (Ljava/lang/Class<*>;Ljava/lang/String;)V
.end method
.method public getTableClass : ()Ljava/lang/Class;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Table tableClass Ljava/lang/Class;
L4: areturn
L5:
.linenumbertable
L0 21
.end linenumbertable
.end code
.signature ()Ljava/lang/Class<*>;
.end method
.method public getAlias : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Table alias Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 30
.end linenumbertable
.end code
.end method
.sourcefile 'Table.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 02:54: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 Table_ESTest extends Table_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Table table0 = new Table((Class<?>) null, (String) null);
Class<?> class0 = table0.getTableClass();
assertNull(class0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Table table0 = new Table((Class<?>) null, (String) null);
String string0 = table0.getAlias();
assertNull(string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Class<Integer> class0 = Integer.class;
Table table0 = new Table(class0, "");
String string0 = table0.getAlias();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Class<Integer> class0 = Integer.class;
Table table0 = new Table(class0, "0MG");
Class<?> class1 = table0.getTableClass();
assertEquals("class java.lang.Integer", class1.toString());
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Class<Integer> class0 = Integer.class;
Table table0 = new Table(class0, "0MG");
String string0 = table0.getAlias();
assertEquals("0MG", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 02:54: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 Table_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Table";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpxjiwdiz_");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Table_ESTest_scaffolding.class.getClassLoader() ,
"Table"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Table_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Table"
);
}
}
| 12,147 |
BaremetalChassisInventory | public class BaremetalChassisInventory {
public java.lang.String uuid;
public void setUuid(java.lang.String uuid) {
this.uuid = uuid;
}
public java.lang.String getUuid() {
return this.uuid;
}
public java.lang.String name;
public void setName(java.lang.String name) {
this.name = name;
}
public java.lang.String getName() {
return this.name;
}
public java.lang.String description;
public void setDescription(java.lang.String description) {
this.description = description;
}
public java.lang.String getDescription() {
return this.description;
}
public java.lang.String ipmiAddress;
public void setIpmiAddress(java.lang.String ipmiAddress) {
this.ipmiAddress = ipmiAddress;
}
public java.lang.String getIpmiAddress() {
return this.ipmiAddress;
}
public java.lang.String ipmiPort;
public void setIpmiPort(java.lang.String ipmiPort) {
this.ipmiPort = ipmiPort;
}
public java.lang.String getIpmiPort() {
return this.ipmiPort;
}
public java.lang.String ipmiUsername;
public void setIpmiUsername(java.lang.String ipmiUsername) {
this.ipmiUsername = ipmiUsername;
}
public java.lang.String getIpmiUsername() {
return this.ipmiUsername;
}
public java.lang.String ipmiPassword;
public void setIpmiPassword(java.lang.String ipmiPassword) {
this.ipmiPassword = ipmiPassword;
}
public java.lang.String getIpmiPassword() {
return this.ipmiPassword;
}
public java.lang.String status;
public void setStatus(java.lang.String status) {
this.status = status;
}
public java.lang.String getStatus() {
return this.status;
}
public java.sql.Timestamp createDate;
public void setCreateDate(java.sql.Timestamp createDate) {
this.createDate = createDate;
}
public java.sql.Timestamp getCreateDate() {
return this.createDate;
}
public java.sql.Timestamp lastOpDate;
public void setLastOpDate(java.sql.Timestamp lastOpDate) {
this.lastOpDate = lastOpDate;
}
public java.sql.Timestamp getLastOpDate() {
return this.lastOpDate;
}
}
| .version 52 0
.class public super BaremetalChassisInventory
.super java/lang/Object
.field public uuid Ljava/lang/String;
.field public name Ljava/lang/String;
.field public description Ljava/lang/String;
.field public ipmiAddress Ljava/lang/String;
.field public ipmiPort Ljava/lang/String;
.field public ipmiUsername Ljava/lang/String;
.field public ipmiPassword Ljava/lang/String;
.field public status Ljava/lang/String;
.field public createDate Ljava/sql/Timestamp;
.field public lastOpDate Ljava/sql/Timestamp;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 3
.end linenumbertable
.end code
.end method
.method public setUuid : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field BaremetalChassisInventory uuid Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 7
L5 8
.end linenumbertable
.end code
.end method
.method public getUuid : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BaremetalChassisInventory uuid Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 10
.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 BaremetalChassisInventory name Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 15
L5 16
.end linenumbertable
.end code
.end method
.method public getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BaremetalChassisInventory name Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 18
.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 BaremetalChassisInventory description Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 23
L5 24
.end linenumbertable
.end code
.end method
.method public getDescription : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BaremetalChassisInventory description Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 26
.end linenumbertable
.end code
.end method
.method public setIpmiAddress : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field BaremetalChassisInventory ipmiAddress Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 31
L5 32
.end linenumbertable
.end code
.end method
.method public getIpmiAddress : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BaremetalChassisInventory ipmiAddress Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 34
.end linenumbertable
.end code
.end method
.method public setIpmiPort : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field BaremetalChassisInventory ipmiPort Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 39
L5 40
.end linenumbertable
.end code
.end method
.method public getIpmiPort : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BaremetalChassisInventory ipmiPort Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 42
.end linenumbertable
.end code
.end method
.method public setIpmiUsername : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field BaremetalChassisInventory ipmiUsername Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 47
L5 48
.end linenumbertable
.end code
.end method
.method public getIpmiUsername : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BaremetalChassisInventory ipmiUsername Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 50
.end linenumbertable
.end code
.end method
.method public setIpmiPassword : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field BaremetalChassisInventory ipmiPassword Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 55
L5 56
.end linenumbertable
.end code
.end method
.method public getIpmiPassword : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BaremetalChassisInventory ipmiPassword Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 58
.end linenumbertable
.end code
.end method
.method public setStatus : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field BaremetalChassisInventory status Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 63
L5 64
.end linenumbertable
.end code
.end method
.method public getStatus : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BaremetalChassisInventory status Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 66
.end linenumbertable
.end code
.end method
.method public setCreateDate : (Ljava/sql/Timestamp;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field BaremetalChassisInventory createDate Ljava/sql/Timestamp;
L5: return
L6:
.linenumbertable
L0 71
L5 72
.end linenumbertable
.end code
.end method
.method public getCreateDate : ()Ljava/sql/Timestamp;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BaremetalChassisInventory createDate Ljava/sql/Timestamp;
L4: areturn
L5:
.linenumbertable
L0 74
.end linenumbertable
.end code
.end method
.method public setLastOpDate : (Ljava/sql/Timestamp;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field BaremetalChassisInventory lastOpDate Ljava/sql/Timestamp;
L5: return
L6:
.linenumbertable
L0 79
L5 80
.end linenumbertable
.end code
.end method
.method public getLastOpDate : ()Ljava/sql/Timestamp;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BaremetalChassisInventory lastOpDate Ljava/sql/Timestamp;
L4: areturn
L5:
.linenumbertable
L0 82
.end linenumbertable
.end code
.end method
.sourcefile 'BaremetalChassisInventory.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 22:28:47 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.sql.Timestamp;
import java.time.LocalDateTime;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.mock.java.time.MockLocalDateTime;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class BaremetalChassisInventory_ESTest extends BaremetalChassisInventory_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
baremetalChassisInventory0.uuid = "$::+#=OFt)GYm_hpu";
String string0 = baremetalChassisInventory0.getUuid();
assertEquals("$::+#=OFt)GYm_hpu", string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
baremetalChassisInventory0.setUuid("");
String string0 = baremetalChassisInventory0.getUuid();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
baremetalChassisInventory0.setStatus("BT/RWkPPUX");
String string0 = baremetalChassisInventory0.getStatus();
assertEquals("BT/RWkPPUX", string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
baremetalChassisInventory0.setStatus("");
String string0 = baremetalChassisInventory0.getStatus();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
baremetalChassisInventory0.setName("*h$yw{;vlxyV{");
String string0 = baremetalChassisInventory0.getName();
assertEquals("*h$yw{;vlxyV{", string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
baremetalChassisInventory0.name = "";
String string0 = baremetalChassisInventory0.getName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
Timestamp timestamp0 = new Timestamp(0L);
baremetalChassisInventory0.setLastOpDate(timestamp0);
Timestamp timestamp1 = baremetalChassisInventory0.getLastOpDate();
assertEquals(0, timestamp1.getNanos());
}
@Test(timeout = 4000)
public void test07() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
Timestamp timestamp0 = new Timestamp(23922L);
baremetalChassisInventory0.lastOpDate = timestamp0;
Timestamp timestamp1 = baremetalChassisInventory0.getLastOpDate();
assertEquals(922000000, timestamp1.getNanos());
}
@Test(timeout = 4000)
public void test08() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
baremetalChassisInventory0.ipmiUsername = "BaremetalChassisInventory";
String string0 = baremetalChassisInventory0.getIpmiUsername();
assertEquals("BaremetalChassisInventory", string0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
baremetalChassisInventory0.ipmiUsername = "";
String string0 = baremetalChassisInventory0.getIpmiUsername();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
baremetalChassisInventory0.setIpmiPort("k+");
String string0 = baremetalChassisInventory0.getIpmiPort();
assertEquals("k+", string0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
baremetalChassisInventory0.ipmiPort = "";
String string0 = baremetalChassisInventory0.getIpmiPort();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
baremetalChassisInventory0.ipmiPassword = "BaremetalChassisInventory";
String string0 = baremetalChassisInventory0.getIpmiPassword();
assertEquals("BaremetalChassisInventory", string0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
baremetalChassisInventory0.setIpmiPassword("");
String string0 = baremetalChassisInventory0.getIpmiPassword();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
baremetalChassisInventory0.setIpmiAddress("*!^L5");
String string0 = baremetalChassisInventory0.getIpmiAddress();
assertEquals("*!^L5", string0);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
baremetalChassisInventory0.setIpmiAddress("");
String string0 = baremetalChassisInventory0.getIpmiAddress();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
baremetalChassisInventory0.setDescription("`N$~]J#qNJ^NK");
String string0 = baremetalChassisInventory0.getDescription();
assertEquals("`N$~]J#qNJ^NK", string0);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
baremetalChassisInventory0.setDescription("");
String string0 = baremetalChassisInventory0.getDescription();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
Timestamp timestamp0 = new Timestamp(0L);
baremetalChassisInventory0.setCreateDate(timestamp0);
Timestamp timestamp1 = baremetalChassisInventory0.getCreateDate();
assertSame(timestamp1, timestamp0);
}
@Test(timeout = 4000)
public void test19() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
LocalDateTime localDateTime0 = MockLocalDateTime.now();
Timestamp timestamp0 = Timestamp.valueOf(localDateTime0);
baremetalChassisInventory0.setCreateDate(timestamp0);
Timestamp timestamp1 = baremetalChassisInventory0.getCreateDate();
assertSame(timestamp1, timestamp0);
}
@Test(timeout = 4000)
public void test20() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
String string0 = baremetalChassisInventory0.getIpmiPassword();
assertNull(string0);
}
@Test(timeout = 4000)
public void test21() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
String string0 = baremetalChassisInventory0.getName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test22() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
String string0 = baremetalChassisInventory0.getIpmiUsername();
assertNull(string0);
}
@Test(timeout = 4000)
public void test23() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
String string0 = baremetalChassisInventory0.getUuid();
assertNull(string0);
}
@Test(timeout = 4000)
public void test24() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
String string0 = baremetalChassisInventory0.getDescription();
assertNull(string0);
}
@Test(timeout = 4000)
public void test25() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
Timestamp timestamp0 = baremetalChassisInventory0.getCreateDate();
assertNull(timestamp0);
}
@Test(timeout = 4000)
public void test26() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
String string0 = baremetalChassisInventory0.getIpmiPort();
assertNull(string0);
}
@Test(timeout = 4000)
public void test27() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
Timestamp timestamp0 = baremetalChassisInventory0.getLastOpDate();
assertNull(timestamp0);
}
@Test(timeout = 4000)
public void test28() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
baremetalChassisInventory0.setIpmiUsername((String) null);
assertNull(baremetalChassisInventory0.getIpmiUsername());
}
@Test(timeout = 4000)
public void test29() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
String string0 = baremetalChassisInventory0.getIpmiAddress();
assertNull(string0);
}
@Test(timeout = 4000)
public void test30() throws Throwable {
BaremetalChassisInventory baremetalChassisInventory0 = new BaremetalChassisInventory();
String string0 = baremetalChassisInventory0.getStatus();
assertNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 22:28: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 BaremetalChassisInventory_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "BaremetalChassisInventory";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmph_xhx87r");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BaremetalChassisInventory_ESTest_scaffolding.class.getClassLoader() ,
"BaremetalChassisInventory"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BaremetalChassisInventory_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"BaremetalChassisInventory"
);
}
}
| 12,148 |
Label | /**
* Arquivo: Label.java <br>
*
* @since 06/03/2015
* @author Wesley Luiz
* @version 1.0.0
*/
public class Label {}
| .version 52 0
.class public super Label
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 9
.end linenumbertable
.end code
.end method
.sourcefile 'Label.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 14:04: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 Label_ESTest extends Label_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Label label0 = new Label();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 14:04: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 Label_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Label";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpvktyz5sa");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Label_ESTest_scaffolding.class.getClassLoader() ,
"Label"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Label_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Label"
);
}
}
| 12,149 |
HbSonstigesConstants | /** Konstanten für den Typ HbSonstiges. */
public class HbSonstigesConstants {
/** Konstante für HbSonstiges (benigne). */
public static final String BENIGNE = "benigne";
/** Konstante für HbSonstiges (maligne). */
public static final String MALIGNE = "maligne";
}
| .version 52 0
.class public super HbSonstigesConstants
.super java/lang/Object
.field public static final BENIGNE Ljava/lang/String; = 'benigne'
.field public static final MALIGNE Ljava/lang/String; = 'maligne'
.method 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 'HbSonstigesConstants.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 15:05: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 HbSonstigesConstants_ESTest extends HbSonstigesConstants_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
HbSonstigesConstants hbSonstigesConstants0 = new HbSonstigesConstants();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 15:05: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 HbSonstigesConstants_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "HbSonstigesConstants";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpc3ig4ypb");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(HbSonstigesConstants_ESTest_scaffolding.class.getClassLoader() ,
"HbSonstigesConstants"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(HbSonstigesConstants_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"HbSonstigesConstants"
);
}
}
| 12,150 |
StoringException | /*
* 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 marko
*/
public class StoringException extends Exception {
/** Creates a new instance of <code>StoringException</code> without detail message. */
public StoringException() {}
/**
* Constructs an instance of <code>StoringException</code> with the specified detail message.
*
* @param msg the detail message.
*/
public StoringException(String msg) {
super(msg);
}
}
| .version 52 0
.class public super StoringException
.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 19
L4 20
.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 29
L5 30
.end linenumbertable
.end code
.end method
.sourcefile 'StoringException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 03:46: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 StoringException_ESTest extends StoringException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
StoringException storingException0 = new StoringException("");
}
@Test(timeout = 4000)
public void test1() throws Throwable {
StoringException storingException0 = new StoringException();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 03:46: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 StoringException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "StoringException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpi3i2j6g8");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(StoringException_ESTest_scaffolding.class.getClassLoader() ,
"StoringException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(StoringException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"StoringException"
);
}
}
| 12,151 |
OpenFile | /*
* Copyright 2014 Robin Stuart
*
* 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.File;
import java.io.FileInputStream;
import java.io.IOException;
/**
* Open a file and read contents
*
* @author <a href="mailto:rstuart114@gmail.com">Robin Stuart</a>
*/
public class OpenFile {
public static String ReadFile(File file, boolean isBatch) throws IOException {
String file_data = "";
FileInputStream fis = new FileInputStream(file);
int count;
if (file.isFile() && file.canRead()) {
if (isBatch) {
for (count = 0; count < file.length(); count++) {
file_data += (char) fis.read();
}
} else {
// Limit size of input
if (file.length() < 3000) {
for (count = 0; count < file.length(); count++) {
file_data += (char) fis.read();
}
} else {
System.out.println("Input file too big");
}
}
} else {
System.out.println("I/O Error");
}
return file_data;
}
}
| .version 52 0
.class public super OpenFile
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 27
.end linenumbertable
.end code
.end method
.method public static ReadFile : (Ljava/io/File;Z)Ljava/lang/String;
.code stack 4 locals 5
L0: ldc ''
L2: astore_2
L3: new java/io/FileInputStream
L6: dup
L7: aload_0
L8: invokespecial Method java/io/FileInputStream <init> (Ljava/io/File;)V
L11: astore_3
L12: aload_0
L13: invokevirtual Method java/io/File isFile ()Z
L16: ifeq L138
L19: aload_0
L20: invokevirtual Method java/io/File canRead ()Z
L23: ifeq L138
L26: iload_1
L27: ifeq L73
L30: iconst_0
L31: istore 4
.stack append Object java/lang/String Object java/io/FileInputStream Integer
L33: iload 4
L35: i2l
L36: aload_0
L37: invokevirtual Method java/io/File length ()J
L40: lcmp
L41: ifge L146
L44: new java/lang/StringBuilder
L47: dup
L48: invokespecial Method java/lang/StringBuilder <init> ()V
L51: aload_2
L52: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L55: aload_3
L56: invokevirtual Method java/io/FileInputStream read ()I
L59: i2c
L60: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L63: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L66: astore_2
L67: iinc 4 1
L70: goto L33
.stack chop 1
L73: aload_0
L74: invokevirtual Method java/io/File length ()J
L77: ldc2_w 3000L
L80: lcmp
L81: ifge L127
L84: iconst_0
L85: istore 4
.stack append Integer
L87: iload 4
L89: i2l
L90: aload_0
L91: invokevirtual Method java/io/File length ()J
L94: lcmp
L95: ifge L146
L98: new java/lang/StringBuilder
L101: dup
L102: invokespecial Method java/lang/StringBuilder <init> ()V
L105: aload_2
L106: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L109: aload_3
L110: invokevirtual Method java/io/FileInputStream read ()I
L113: i2c
L114: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L117: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L120: astore_2
L121: iinc 4 1
L124: goto L87
.stack chop 1
L127: getstatic Field java/lang/System out Ljava/io/PrintStream;
L130: ldc 'Input file too big'
L132: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L135: goto L146
.stack same
L138: getstatic Field java/lang/System out Ljava/io/PrintStream;
L141: ldc 'I/O Error'
L143: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack same
L146: aload_2
L147: areturn
L148:
.linenumbertable
L0 29
L3 30
L12 33
L26 34
L30 35
L44 36
L67 35
L73 40
L84 41
L98 42
L121 41
L127 45
L138 49
L146 51
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.sourcefile 'OpenFile.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 07:46:25 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.io.MockFile;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class OpenFile_ESTest extends OpenFile_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
MockFile mockFile0 = new MockFile("c5");
mockFile0.createNewFile();
OpenFile.ReadFile(mockFile0, true);
OpenFile.ReadFile(mockFile0, false);
OpenFile openFile0 = new OpenFile();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 07:46: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 OpenFile_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "OpenFile";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp693wg5nz");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(OpenFile_ESTest_scaffolding.class.getClassLoader() ,
"OpenFile"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(OpenFile_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"OpenFile"
);
}
}
| 12,152 |
SocketProperties | /*
* Licensed to the Apache Software Foundation (ASF) under one or more
* contributor license agreements. See the NOTICE file distributed with
* this work for additional information regarding copyright ownership.
* The ASF licenses this file to You under the Apache License, Version 2.0
* (the "License"); you may not use this file except in compliance with
* the License. You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
import java.net.ServerSocket;
import java.net.Socket;
import java.net.SocketException;
/**
* Properties that can be set in the <Connector> element in server.xml. All properties are
* prefixed with "socket." and are currently only working for the Nio connector
*
* @author Filip Hanik
*/
public class SocketProperties {
/**
* Enable/disable key cache, this bounded cache stores KeyAttachment objects to reduce GC Default
* is 500 -1 is unlimited 0 is disabled
*/
protected int keyCache = 500;
/**
* Enable/disable socket processor cache, this bounded cache stores SocketProcessor objects to
* reduce GC Default is 500 -1 is unlimited 0 is disabled
*/
protected int processorCache = 500;
/**
* Enable/disable poller event cache, this bounded cache stores PollerEvent objects to reduce GC
* for the poller Default is 500 -1 is unlimited 0 is disabled >0 the max number of objects to
* keep in cache.
*/
protected int eventCache = 500;
/** Enable/disable direct buffers for the network buffers Default value is enabled */
protected boolean directBuffer = false;
/** Socket receive buffer size in bytes (SO_RCVBUF). JVM default used if not set. */
protected Integer rxBufSize = null;
/** Socket send buffer size in bytes (SO_SNDBUF). JVM default used if not set. */
protected Integer txBufSize = null;
/** The application read buffer size in bytes. Default value is rxBufSize */
protected int appReadBufSize = 8192;
/** The application write buffer size in bytes Default value is txBufSize */
protected int appWriteBufSize = 8192;
/**
* NioChannel pool size for the endpoint, this value is how many channels -1 means unlimited
* cached, 0 means no cache Default value is 500
*/
protected int bufferPool = 500;
/**
* Buffer pool size in bytes to be cached -1 means unlimited, 0 means no cache Default value is
* 100MB (1024*1024*100 bytes)
*/
protected int bufferPoolSize = 1024 * 1024 * 100;
/** TCP_NO_DELAY option. JVM default used if not set. */
protected Boolean tcpNoDelay = Boolean.TRUE;
/** SO_KEEPALIVE option. JVM default used if not set. */
protected Boolean soKeepAlive = null;
/** OOBINLINE option. JVM default used if not set. */
protected Boolean ooBInline = null;
/** SO_REUSEADDR option. JVM default used if not set. */
protected Boolean soReuseAddress = null;
/**
* SO_LINGER option, paired with the <code>soLingerTime</code> value. JVM defaults used unless
* both attributes are set.
*/
protected Boolean soLingerOn = null;
/**
* SO_LINGER option, paired with the <code>soLingerOn</code> value. JVM defaults used unless both
* attributes are set.
*/
protected Integer soLingerTime = null;
/** SO_TIMEOUT option. default is 20000. */
protected Integer soTimeout = new Integer(20000);
/**
* Performance preferences according to
* http://docs.oracle.com/javase/1.5.0/docs/api/java/net/Socket.html#setPerformancePreferences(int,%20int,%20int)
* All three performance attributes must be set or the JVM defaults will be used.
*/
protected Integer performanceConnectionTime = null;
/**
* Performance preferences according to
* http://docs.oracle.com/javase/1.5.0/docs/api/java/net/Socket.html#setPerformancePreferences(int,%20int,%20int)
* All three performance attributes must be set or the JVM defaults will be used.
*/
protected Integer performanceLatency = null;
/**
* Performance preferences according to
* http://docs.oracle.com/javase/1.5.0/docs/api/java/net/Socket.html#setPerformancePreferences(int,%20int,%20int)
* All three performance attributes must be set or the JVM defaults will be used.
*/
protected Integer performanceBandwidth = null;
/**
* The minimum frequency of the timeout interval to avoid excess load from the poller during high
* traffic
*/
protected long timeoutInterval = 1000;
/** Timeout in milliseconds for an unlock to take place. */
protected int unlockTimeout = 250;
public void setProperties(Socket socket) throws SocketException {
if (rxBufSize != null) socket.setReceiveBufferSize(rxBufSize.intValue());
if (txBufSize != null) socket.setSendBufferSize(txBufSize.intValue());
if (ooBInline != null) socket.setOOBInline(ooBInline.booleanValue());
if (soKeepAlive != null) socket.setKeepAlive(soKeepAlive.booleanValue());
if (performanceConnectionTime != null
&& performanceLatency != null
&& performanceBandwidth != null)
socket.setPerformancePreferences(
performanceConnectionTime.intValue(),
performanceLatency.intValue(),
performanceBandwidth.intValue());
if (soReuseAddress != null) socket.setReuseAddress(soReuseAddress.booleanValue());
if (soLingerOn != null && soLingerTime != null)
socket.setSoLinger(soLingerOn.booleanValue(), soLingerTime.intValue());
if (soTimeout != null && soTimeout.intValue() >= 0) socket.setSoTimeout(soTimeout.intValue());
if (tcpNoDelay != null) socket.setTcpNoDelay(tcpNoDelay.booleanValue());
}
public void setProperties(ServerSocket socket) throws SocketException {
if (rxBufSize != null) socket.setReceiveBufferSize(rxBufSize.intValue());
if (performanceConnectionTime != null
&& performanceLatency != null
&& performanceBandwidth != null)
socket.setPerformancePreferences(
performanceConnectionTime.intValue(),
performanceLatency.intValue(),
performanceBandwidth.intValue());
if (soReuseAddress != null) socket.setReuseAddress(soReuseAddress.booleanValue());
if (soTimeout != null && soTimeout.intValue() >= 0) socket.setSoTimeout(soTimeout.intValue());
}
public boolean getDirectBuffer() {
return directBuffer;
}
public boolean getOoBInline() {
return ooBInline.booleanValue();
}
public int getPerformanceBandwidth() {
return performanceBandwidth.intValue();
}
public int getPerformanceConnectionTime() {
return performanceConnectionTime.intValue();
}
public int getPerformanceLatency() {
return performanceLatency.intValue();
}
public int getRxBufSize() {
return rxBufSize.intValue();
}
public boolean getSoKeepAlive() {
return soKeepAlive.booleanValue();
}
public boolean getSoLingerOn() {
return soLingerOn.booleanValue();
}
public int getSoLingerTime() {
return soLingerTime.intValue();
}
public boolean getSoReuseAddress() {
return soReuseAddress.booleanValue();
}
public int getSoTimeout() {
return soTimeout.intValue();
}
public boolean getTcpNoDelay() {
return tcpNoDelay.booleanValue();
}
public int getTxBufSize() {
return txBufSize.intValue();
}
public int getBufferPool() {
return bufferPool;
}
public int getBufferPoolSize() {
return bufferPoolSize;
}
public int getEventCache() {
return eventCache;
}
public int getKeyCache() {
return keyCache;
}
public int getAppReadBufSize() {
return appReadBufSize;
}
public int getAppWriteBufSize() {
return appWriteBufSize;
}
public int getProcessorCache() {
return processorCache;
}
public long getTimeoutInterval() {
return timeoutInterval;
}
public int getDirectBufferPool() {
return bufferPool;
}
public void setPerformanceConnectionTime(int performanceConnectionTime) {
this.performanceConnectionTime = Integer.valueOf(performanceConnectionTime);
}
public void setTxBufSize(int txBufSize) {
this.txBufSize = Integer.valueOf(txBufSize);
}
public void setTcpNoDelay(boolean tcpNoDelay) {
this.tcpNoDelay = Boolean.valueOf(tcpNoDelay);
}
public void setSoTimeout(int soTimeout) {
this.soTimeout = Integer.valueOf(soTimeout);
}
public void setSoReuseAddress(boolean soReuseAddress) {
this.soReuseAddress = Boolean.valueOf(soReuseAddress);
}
public void setSoLingerTime(int soLingerTime) {
this.soLingerTime = Integer.valueOf(soLingerTime);
}
public void setSoKeepAlive(boolean soKeepAlive) {
this.soKeepAlive = Boolean.valueOf(soKeepAlive);
}
public void setRxBufSize(int rxBufSize) {
this.rxBufSize = Integer.valueOf(rxBufSize);
}
public void setPerformanceLatency(int performanceLatency) {
this.performanceLatency = Integer.valueOf(performanceLatency);
}
public void setPerformanceBandwidth(int performanceBandwidth) {
this.performanceBandwidth = Integer.valueOf(performanceBandwidth);
}
public void setOoBInline(boolean ooBInline) {
this.ooBInline = Boolean.valueOf(ooBInline);
}
public void setDirectBuffer(boolean directBuffer) {
this.directBuffer = directBuffer;
}
public void setSoLingerOn(boolean soLingerOn) {
this.soLingerOn = Boolean.valueOf(soLingerOn);
}
public void setBufferPool(int bufferPool) {
this.bufferPool = bufferPool;
}
public void setBufferPoolSize(int bufferPoolSize) {
this.bufferPoolSize = bufferPoolSize;
}
public void setEventCache(int eventCache) {
this.eventCache = eventCache;
}
public void setKeyCache(int keyCache) {
this.keyCache = keyCache;
}
public void setAppReadBufSize(int appReadBufSize) {
this.appReadBufSize = appReadBufSize;
}
public void setAppWriteBufSize(int appWriteBufSize) {
this.appWriteBufSize = appWriteBufSize;
}
public void setProcessorCache(int processorCache) {
this.processorCache = processorCache;
}
public void setTimeoutInterval(long timeoutInterval) {
this.timeoutInterval = timeoutInterval;
}
public void setDirectBufferPool(int directBufferPool) {
this.bufferPool = directBufferPool;
}
public int getUnlockTimeout() {
return unlockTimeout;
}
public void setUnlockTimeout(int unlockTimeout) {
this.unlockTimeout = unlockTimeout;
}
}
| .version 52 0
.class public super SocketProperties
.super java/lang/Object
.field protected keyCache I
.field protected processorCache I
.field protected eventCache I
.field protected directBuffer Z
.field protected rxBufSize Ljava/lang/Integer;
.field protected txBufSize Ljava/lang/Integer;
.field protected appReadBufSize I
.field protected appWriteBufSize I
.field protected bufferPool I
.field protected bufferPoolSize I
.field protected tcpNoDelay Ljava/lang/Boolean;
.field protected soKeepAlive Ljava/lang/Boolean;
.field protected ooBInline Ljava/lang/Boolean;
.field protected soReuseAddress Ljava/lang/Boolean;
.field protected soLingerOn Ljava/lang/Boolean;
.field protected soLingerTime Ljava/lang/Integer;
.field protected soTimeout Ljava/lang/Integer;
.field protected performanceConnectionTime Ljava/lang/Integer;
.field protected performanceLatency Ljava/lang/Integer;
.field protected performanceBandwidth Ljava/lang/Integer;
.field protected timeoutInterval J
.field protected unlockTimeout I
.method public <init> : ()V
.code stack 4 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: sipush 500
L8: putfield Field SocketProperties keyCache I
L11: aload_0
L12: sipush 500
L15: putfield Field SocketProperties processorCache I
L18: aload_0
L19: sipush 500
L22: putfield Field SocketProperties eventCache I
L25: aload_0
L26: iconst_0
L27: putfield Field SocketProperties directBuffer Z
L30: aload_0
L31: aconst_null
L32: putfield Field SocketProperties rxBufSize Ljava/lang/Integer;
L35: aload_0
L36: aconst_null
L37: putfield Field SocketProperties txBufSize Ljava/lang/Integer;
L40: aload_0
L41: sipush 8192
L44: putfield Field SocketProperties appReadBufSize I
L47: aload_0
L48: sipush 8192
L51: putfield Field SocketProperties appWriteBufSize I
L54: aload_0
L55: sipush 500
L58: putfield Field SocketProperties bufferPool I
L61: aload_0
L62: ldc 104857600
L64: putfield Field SocketProperties bufferPoolSize I
L67: aload_0
L68: getstatic Field java/lang/Boolean TRUE Ljava/lang/Boolean;
L71: putfield Field SocketProperties tcpNoDelay Ljava/lang/Boolean;
L74: aload_0
L75: aconst_null
L76: putfield Field SocketProperties soKeepAlive Ljava/lang/Boolean;
L79: aload_0
L80: aconst_null
L81: putfield Field SocketProperties ooBInline Ljava/lang/Boolean;
L84: aload_0
L85: aconst_null
L86: putfield Field SocketProperties soReuseAddress Ljava/lang/Boolean;
L89: aload_0
L90: aconst_null
L91: putfield Field SocketProperties soLingerOn Ljava/lang/Boolean;
L94: aload_0
L95: aconst_null
L96: putfield Field SocketProperties soLingerTime Ljava/lang/Integer;
L99: aload_0
L100: new java/lang/Integer
L103: dup
L104: sipush 20000
L107: invokespecial Method java/lang/Integer <init> (I)V
L110: putfield Field SocketProperties soTimeout Ljava/lang/Integer;
L113: aload_0
L114: aconst_null
L115: putfield Field SocketProperties performanceConnectionTime Ljava/lang/Integer;
L118: aload_0
L119: aconst_null
L120: putfield Field SocketProperties performanceLatency Ljava/lang/Integer;
L123: aload_0
L124: aconst_null
L125: putfield Field SocketProperties performanceBandwidth Ljava/lang/Integer;
L128: aload_0
L129: ldc2_w 1000L
L132: putfield Field SocketProperties timeoutInterval J
L135: aload_0
L136: sipush 250
L139: putfield Field SocketProperties unlockTimeout I
L142: return
L143:
.linenumbertable
L0 30
L4 38
L11 47
L18 57
L25 63
L30 69
L35 75
L40 81
L47 87
L54 95
L61 102
L67 107
L74 112
L79 117
L84 122
L89 128
L94 134
L99 139
L113 147
L118 155
L123 163
L128 169
L135 174
.end linenumbertable
.end code
.end method
.method public setProperties : (Ljava/net/Socket;)V
.code stack 4 locals 2
L0: aload_0
L1: getfield Field SocketProperties rxBufSize Ljava/lang/Integer;
L4: ifnull L18
L7: aload_1
L8: aload_0
L9: getfield Field SocketProperties rxBufSize Ljava/lang/Integer;
L12: invokevirtual Method java/lang/Integer intValue ()I
L15: invokevirtual Method java/net/Socket setReceiveBufferSize (I)V
.stack same
L18: aload_0
L19: getfield Field SocketProperties txBufSize Ljava/lang/Integer;
L22: ifnull L36
L25: aload_1
L26: aload_0
L27: getfield Field SocketProperties txBufSize Ljava/lang/Integer;
L30: invokevirtual Method java/lang/Integer intValue ()I
L33: invokevirtual Method java/net/Socket setSendBufferSize (I)V
.stack same
L36: aload_0
L37: getfield Field SocketProperties ooBInline Ljava/lang/Boolean;
L40: ifnull L54
L43: aload_1
L44: aload_0
L45: getfield Field SocketProperties ooBInline Ljava/lang/Boolean;
L48: invokevirtual Method java/lang/Boolean booleanValue ()Z
L51: invokevirtual Method java/net/Socket setOOBInline (Z)V
.stack same
L54: aload_0
L55: getfield Field SocketProperties soKeepAlive Ljava/lang/Boolean;
L58: ifnull L72
L61: aload_1
L62: aload_0
L63: getfield Field SocketProperties soKeepAlive Ljava/lang/Boolean;
L66: invokevirtual Method java/lang/Boolean booleanValue ()Z
L69: invokevirtual Method java/net/Socket setKeepAlive (Z)V
.stack same
L72: aload_0
L73: getfield Field SocketProperties performanceConnectionTime Ljava/lang/Integer;
L76: ifnull L118
L79: aload_0
L80: getfield Field SocketProperties performanceLatency Ljava/lang/Integer;
L83: ifnull L118
L86: aload_0
L87: getfield Field SocketProperties performanceBandwidth Ljava/lang/Integer;
L90: ifnull L118
L93: aload_1
L94: aload_0
L95: getfield Field SocketProperties performanceConnectionTime Ljava/lang/Integer;
L98: invokevirtual Method java/lang/Integer intValue ()I
L101: aload_0
L102: getfield Field SocketProperties performanceLatency Ljava/lang/Integer;
L105: invokevirtual Method java/lang/Integer intValue ()I
L108: aload_0
L109: getfield Field SocketProperties performanceBandwidth Ljava/lang/Integer;
L112: invokevirtual Method java/lang/Integer intValue ()I
L115: invokevirtual Method java/net/Socket setPerformancePreferences (III)V
.stack same
L118: aload_0
L119: getfield Field SocketProperties soReuseAddress Ljava/lang/Boolean;
L122: ifnull L136
L125: aload_1
L126: aload_0
L127: getfield Field SocketProperties soReuseAddress Ljava/lang/Boolean;
L130: invokevirtual Method java/lang/Boolean booleanValue ()Z
L133: invokevirtual Method java/net/Socket setReuseAddress (Z)V
.stack same
L136: aload_0
L137: getfield Field SocketProperties soLingerOn Ljava/lang/Boolean;
L140: ifnull L168
L143: aload_0
L144: getfield Field SocketProperties soLingerTime Ljava/lang/Integer;
L147: ifnull L168
L150: aload_1
L151: aload_0
L152: getfield Field SocketProperties soLingerOn Ljava/lang/Boolean;
L155: invokevirtual Method java/lang/Boolean booleanValue ()Z
L158: aload_0
L159: getfield Field SocketProperties soLingerTime Ljava/lang/Integer;
L162: invokevirtual Method java/lang/Integer intValue ()I
L165: invokevirtual Method java/net/Socket setSoLinger (ZI)V
.stack same
L168: aload_0
L169: getfield Field SocketProperties soTimeout Ljava/lang/Integer;
L172: ifnull L196
L175: aload_0
L176: getfield Field SocketProperties soTimeout Ljava/lang/Integer;
L179: invokevirtual Method java/lang/Integer intValue ()I
L182: iflt L196
L185: aload_1
L186: aload_0
L187: getfield Field SocketProperties soTimeout Ljava/lang/Integer;
L190: invokevirtual Method java/lang/Integer intValue ()I
L193: invokevirtual Method java/net/Socket setSoTimeout (I)V
.stack same
L196: aload_0
L197: getfield Field SocketProperties tcpNoDelay Ljava/lang/Boolean;
L200: ifnull L214
L203: aload_1
L204: aload_0
L205: getfield Field SocketProperties tcpNoDelay Ljava/lang/Boolean;
L208: invokevirtual Method java/lang/Boolean booleanValue ()Z
L211: invokevirtual Method java/net/Socket setTcpNoDelay (Z)V
.stack same
L214: return
L215:
.linenumbertable
L0 177
L7 178
L18 179
L25 180
L36 181
L43 182
L54 183
L61 184
L72 185
L93 187
L98 188
L105 189
L112 190
L115 187
L118 191
L125 192
L136 193
L150 194
L162 195
L165 194
L168 196
L185 197
L196 198
L203 199
L214 200
.end linenumbertable
.end code
.exceptions java/net/SocketException
.end method
.method public setProperties : (Ljava/net/ServerSocket;)V
.code stack 4 locals 2
L0: aload_0
L1: getfield Field SocketProperties rxBufSize Ljava/lang/Integer;
L4: ifnull L18
L7: aload_1
L8: aload_0
L9: getfield Field SocketProperties rxBufSize Ljava/lang/Integer;
L12: invokevirtual Method java/lang/Integer intValue ()I
L15: invokevirtual Method java/net/ServerSocket setReceiveBufferSize (I)V
.stack same
L18: aload_0
L19: getfield Field SocketProperties performanceConnectionTime Ljava/lang/Integer;
L22: ifnull L64
L25: aload_0
L26: getfield Field SocketProperties performanceLatency Ljava/lang/Integer;
L29: ifnull L64
L32: aload_0
L33: getfield Field SocketProperties performanceBandwidth Ljava/lang/Integer;
L36: ifnull L64
L39: aload_1
L40: aload_0
L41: getfield Field SocketProperties performanceConnectionTime Ljava/lang/Integer;
L44: invokevirtual Method java/lang/Integer intValue ()I
L47: aload_0
L48: getfield Field SocketProperties performanceLatency Ljava/lang/Integer;
L51: invokevirtual Method java/lang/Integer intValue ()I
L54: aload_0
L55: getfield Field SocketProperties performanceBandwidth Ljava/lang/Integer;
L58: invokevirtual Method java/lang/Integer intValue ()I
L61: invokevirtual Method java/net/ServerSocket setPerformancePreferences (III)V
.stack same
L64: aload_0
L65: getfield Field SocketProperties soReuseAddress Ljava/lang/Boolean;
L68: ifnull L82
L71: aload_1
L72: aload_0
L73: getfield Field SocketProperties soReuseAddress Ljava/lang/Boolean;
L76: invokevirtual Method java/lang/Boolean booleanValue ()Z
L79: invokevirtual Method java/net/ServerSocket setReuseAddress (Z)V
.stack same
L82: aload_0
L83: getfield Field SocketProperties soTimeout Ljava/lang/Integer;
L86: ifnull L110
L89: aload_0
L90: getfield Field SocketProperties soTimeout Ljava/lang/Integer;
L93: invokevirtual Method java/lang/Integer intValue ()I
L96: iflt L110
L99: aload_1
L100: aload_0
L101: getfield Field SocketProperties soTimeout Ljava/lang/Integer;
L104: invokevirtual Method java/lang/Integer intValue ()I
L107: invokevirtual Method java/net/ServerSocket setSoTimeout (I)V
.stack same
L110: return
L111:
.linenumbertable
L0 203
L7 204
L18 205
L39 207
L44 208
L51 209
L58 210
L61 207
L64 211
L71 212
L82 213
L99 214
L110 215
.end linenumbertable
.end code
.exceptions java/net/SocketException
.end method
.method public getDirectBuffer : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SocketProperties directBuffer Z
L4: ireturn
L5:
.linenumbertable
L0 219
.end linenumbertable
.end code
.end method
.method public getOoBInline : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SocketProperties ooBInline Ljava/lang/Boolean;
L4: invokevirtual Method java/lang/Boolean booleanValue ()Z
L7: ireturn
L8:
.linenumbertable
L0 223
.end linenumbertable
.end code
.end method
.method public getPerformanceBandwidth : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SocketProperties performanceBandwidth Ljava/lang/Integer;
L4: invokevirtual Method java/lang/Integer intValue ()I
L7: ireturn
L8:
.linenumbertable
L0 227
.end linenumbertable
.end code
.end method
.method public getPerformanceConnectionTime : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SocketProperties performanceConnectionTime Ljava/lang/Integer;
L4: invokevirtual Method java/lang/Integer intValue ()I
L7: ireturn
L8:
.linenumbertable
L0 231
.end linenumbertable
.end code
.end method
.method public getPerformanceLatency : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SocketProperties performanceLatency Ljava/lang/Integer;
L4: invokevirtual Method java/lang/Integer intValue ()I
L7: ireturn
L8:
.linenumbertable
L0 235
.end linenumbertable
.end code
.end method
.method public getRxBufSize : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SocketProperties rxBufSize Ljava/lang/Integer;
L4: invokevirtual Method java/lang/Integer intValue ()I
L7: ireturn
L8:
.linenumbertable
L0 239
.end linenumbertable
.end code
.end method
.method public getSoKeepAlive : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SocketProperties soKeepAlive Ljava/lang/Boolean;
L4: invokevirtual Method java/lang/Boolean booleanValue ()Z
L7: ireturn
L8:
.linenumbertable
L0 243
.end linenumbertable
.end code
.end method
.method public getSoLingerOn : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SocketProperties soLingerOn Ljava/lang/Boolean;
L4: invokevirtual Method java/lang/Boolean booleanValue ()Z
L7: ireturn
L8:
.linenumbertable
L0 247
.end linenumbertable
.end code
.end method
.method public getSoLingerTime : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SocketProperties soLingerTime Ljava/lang/Integer;
L4: invokevirtual Method java/lang/Integer intValue ()I
L7: ireturn
L8:
.linenumbertable
L0 251
.end linenumbertable
.end code
.end method
.method public getSoReuseAddress : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SocketProperties soReuseAddress Ljava/lang/Boolean;
L4: invokevirtual Method java/lang/Boolean booleanValue ()Z
L7: ireturn
L8:
.linenumbertable
L0 255
.end linenumbertable
.end code
.end method
.method public getSoTimeout : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SocketProperties soTimeout Ljava/lang/Integer;
L4: invokevirtual Method java/lang/Integer intValue ()I
L7: ireturn
L8:
.linenumbertable
L0 259
.end linenumbertable
.end code
.end method
.method public getTcpNoDelay : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SocketProperties tcpNoDelay Ljava/lang/Boolean;
L4: invokevirtual Method java/lang/Boolean booleanValue ()Z
L7: ireturn
L8:
.linenumbertable
L0 263
.end linenumbertable
.end code
.end method
.method public getTxBufSize : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SocketProperties txBufSize Ljava/lang/Integer;
L4: invokevirtual Method java/lang/Integer intValue ()I
L7: ireturn
L8:
.linenumbertable
L0 267
.end linenumbertable
.end code
.end method
.method public getBufferPool : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SocketProperties bufferPool I
L4: ireturn
L5:
.linenumbertable
L0 271
.end linenumbertable
.end code
.end method
.method public getBufferPoolSize : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SocketProperties bufferPoolSize I
L4: ireturn
L5:
.linenumbertable
L0 275
.end linenumbertable
.end code
.end method
.method public getEventCache : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SocketProperties eventCache I
L4: ireturn
L5:
.linenumbertable
L0 279
.end linenumbertable
.end code
.end method
.method public getKeyCache : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SocketProperties keyCache I
L4: ireturn
L5:
.linenumbertable
L0 283
.end linenumbertable
.end code
.end method
.method public getAppReadBufSize : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SocketProperties appReadBufSize I
L4: ireturn
L5:
.linenumbertable
L0 287
.end linenumbertable
.end code
.end method
.method public getAppWriteBufSize : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SocketProperties appWriteBufSize I
L4: ireturn
L5:
.linenumbertable
L0 291
.end linenumbertable
.end code
.end method
.method public getProcessorCache : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SocketProperties processorCache I
L4: ireturn
L5:
.linenumbertable
L0 295
.end linenumbertable
.end code
.end method
.method public getTimeoutInterval : ()J
.code stack 2 locals 1
L0: aload_0
L1: getfield Field SocketProperties timeoutInterval J
L4: lreturn
L5:
.linenumbertable
L0 299
.end linenumbertable
.end code
.end method
.method public getDirectBufferPool : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SocketProperties bufferPool I
L4: ireturn
L5:
.linenumbertable
L0 303
.end linenumbertable
.end code
.end method
.method public setPerformanceConnectionTime : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L5: putfield Field SocketProperties performanceConnectionTime Ljava/lang/Integer;
L8: return
L9:
.linenumbertable
L0 307
L2 308
L8 309
.end linenumbertable
.end code
.end method
.method public setTxBufSize : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L5: putfield Field SocketProperties txBufSize Ljava/lang/Integer;
L8: return
L9:
.linenumbertable
L0 312
L8 313
.end linenumbertable
.end code
.end method
.method public setTcpNoDelay : (Z)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: invokestatic Method java/lang/Boolean valueOf (Z)Ljava/lang/Boolean;
L5: putfield Field SocketProperties tcpNoDelay Ljava/lang/Boolean;
L8: return
L9:
.linenumbertable
L0 316
L8 317
.end linenumbertable
.end code
.end method
.method public setSoTimeout : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L5: putfield Field SocketProperties soTimeout Ljava/lang/Integer;
L8: return
L9:
.linenumbertable
L0 320
L8 321
.end linenumbertable
.end code
.end method
.method public setSoReuseAddress : (Z)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: invokestatic Method java/lang/Boolean valueOf (Z)Ljava/lang/Boolean;
L5: putfield Field SocketProperties soReuseAddress Ljava/lang/Boolean;
L8: return
L9:
.linenumbertable
L0 324
L8 325
.end linenumbertable
.end code
.end method
.method public setSoLingerTime : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L5: putfield Field SocketProperties soLingerTime Ljava/lang/Integer;
L8: return
L9:
.linenumbertable
L0 328
L8 329
.end linenumbertable
.end code
.end method
.method public setSoKeepAlive : (Z)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: invokestatic Method java/lang/Boolean valueOf (Z)Ljava/lang/Boolean;
L5: putfield Field SocketProperties soKeepAlive Ljava/lang/Boolean;
L8: return
L9:
.linenumbertable
L0 332
L8 333
.end linenumbertable
.end code
.end method
.method public setRxBufSize : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L5: putfield Field SocketProperties rxBufSize Ljava/lang/Integer;
L8: return
L9:
.linenumbertable
L0 336
L8 337
.end linenumbertable
.end code
.end method
.method public setPerformanceLatency : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L5: putfield Field SocketProperties performanceLatency Ljava/lang/Integer;
L8: return
L9:
.linenumbertable
L0 340
L8 341
.end linenumbertable
.end code
.end method
.method public setPerformanceBandwidth : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L5: putfield Field SocketProperties performanceBandwidth Ljava/lang/Integer;
L8: return
L9:
.linenumbertable
L0 344
L8 345
.end linenumbertable
.end code
.end method
.method public setOoBInline : (Z)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: invokestatic Method java/lang/Boolean valueOf (Z)Ljava/lang/Boolean;
L5: putfield Field SocketProperties ooBInline Ljava/lang/Boolean;
L8: return
L9:
.linenumbertable
L0 348
L8 349
.end linenumbertable
.end code
.end method
.method public setDirectBuffer : (Z)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field SocketProperties directBuffer Z
L5: return
L6:
.linenumbertable
L0 352
L5 353
.end linenumbertable
.end code
.end method
.method public setSoLingerOn : (Z)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: invokestatic Method java/lang/Boolean valueOf (Z)Ljava/lang/Boolean;
L5: putfield Field SocketProperties soLingerOn Ljava/lang/Boolean;
L8: return
L9:
.linenumbertable
L0 356
L8 357
.end linenumbertable
.end code
.end method
.method public setBufferPool : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field SocketProperties bufferPool I
L5: return
L6:
.linenumbertable
L0 360
L5 361
.end linenumbertable
.end code
.end method
.method public setBufferPoolSize : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field SocketProperties bufferPoolSize I
L5: return
L6:
.linenumbertable
L0 364
L5 365
.end linenumbertable
.end code
.end method
.method public setEventCache : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field SocketProperties eventCache I
L5: return
L6:
.linenumbertable
L0 368
L5 369
.end linenumbertable
.end code
.end method
.method public setKeyCache : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field SocketProperties keyCache I
L5: return
L6:
.linenumbertable
L0 372
L5 373
.end linenumbertable
.end code
.end method
.method public setAppReadBufSize : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field SocketProperties appReadBufSize I
L5: return
L6:
.linenumbertable
L0 376
L5 377
.end linenumbertable
.end code
.end method
.method public setAppWriteBufSize : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field SocketProperties appWriteBufSize I
L5: return
L6:
.linenumbertable
L0 380
L5 381
.end linenumbertable
.end code
.end method
.method public setProcessorCache : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field SocketProperties processorCache I
L5: return
L6:
.linenumbertable
L0 384
L5 385
.end linenumbertable
.end code
.end method
.method public setTimeoutInterval : (J)V
.code stack 3 locals 3
L0: aload_0
L1: lload_1
L2: putfield Field SocketProperties timeoutInterval J
L5: return
L6:
.linenumbertable
L0 388
L5 389
.end linenumbertable
.end code
.end method
.method public setDirectBufferPool : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field SocketProperties bufferPool I
L5: return
L6:
.linenumbertable
L0 392
L5 393
.end linenumbertable
.end code
.end method
.method public getUnlockTimeout : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SocketProperties unlockTimeout I
L4: ireturn
L5:
.linenumbertable
L0 396
.end linenumbertable
.end code
.end method
.method public setUnlockTimeout : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field SocketProperties unlockTimeout I
L5: return
L6:
.linenumbertable
L0 400
L5 401
.end linenumbertable
.end code
.end method
.sourcefile 'SocketProperties.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 05:36:16 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.net.InetAddress;
import java.net.Proxy;
import java.net.ServerSocket;
import java.net.Socket;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.mock.java.net.MockInetAddress;
import org.evosuite.runtime.mock.java.net.MockServerSocket;
import org.evosuite.runtime.mock.java.net.MockSocket;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class SocketProperties_ESTest extends SocketProperties_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
assertEquals(20000, socketProperties0.getSoTimeout());
socketProperties0.setSoTimeout(0);
MockServerSocket mockServerSocket0 = new MockServerSocket(40735);
socketProperties0.setProperties((ServerSocket) mockServerSocket0);
assertEquals(500, socketProperties0.getEventCache());
}
@Test(timeout = 4000)
public void test01() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
// Undeclared exception!
try {
socketProperties0.setProperties((ServerSocket) null);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("SocketProperties", e);
}
}
@Test(timeout = 4000)
public void test02() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
MockServerSocket mockServerSocket0 = new MockServerSocket(250, 250, (InetAddress) null);
socketProperties0.setProperties((ServerSocket) mockServerSocket0);
int int0 = socketProperties0.getEventCache();
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(500, int0);
assertEquals(500, socketProperties0.getBufferPool());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(20000, socketProperties0.getSoTimeout());
}
@Test(timeout = 4000)
public void test03() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
Proxy proxy0 = Proxy.NO_PROXY;
MockSocket mockSocket0 = new MockSocket(proxy0);
socketProperties0.setProperties((Socket) mockSocket0);
socketProperties0.getEventCache();
socketProperties0.setBufferPool(0);
assertEquals(500, socketProperties0.getProcessorCache());
socketProperties0.setProcessorCache(0);
boolean boolean0 = socketProperties0.getDirectBuffer();
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.unlockTimeout = (-11627);
int int0 = socketProperties0.getUnlockTimeout();
assertEquals((-11627), int0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setTxBufSize(0);
int int0 = socketProperties0.getTxBufSize();
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertEquals(20000, socketProperties0.getSoTimeout());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(500, socketProperties0.getBufferPool());
assertEquals(500, socketProperties0.getEventCache());
assertEquals(0, int0);
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
}
@Test(timeout = 4000)
public void test06() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setTimeoutInterval((-9191L));
long long0 = socketProperties0.getTimeoutInterval();
assertEquals((-9191L), long0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
assertEquals(20000, socketProperties0.getSoTimeout());
Integer integer0 = new Integer((-1));
socketProperties0.soTimeout = integer0;
socketProperties0.getSoTimeout();
assertEquals(500, socketProperties0.getKeyCache());
}
@Test(timeout = 4000)
public void test08() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setSoReuseAddress(true);
boolean boolean0 = socketProperties0.getSoReuseAddress();
assertEquals(20000, socketProperties0.getSoTimeout());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(500, socketProperties0.getBufferPool());
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(500, socketProperties0.getEventCache());
assertTrue(boolean0);
assertEquals(1000L, socketProperties0.getTimeoutInterval());
}
@Test(timeout = 4000)
public void test09() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
Boolean boolean0 = new Boolean(false);
socketProperties0.soReuseAddress = boolean0;
socketProperties0.getSoReuseAddress();
assertEquals(500, socketProperties0.getEventCache());
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(20000, socketProperties0.getSoTimeout());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(500, socketProperties0.getDirectBufferPool());
}
@Test(timeout = 4000)
public void test10() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setSoLingerTime(0);
int int0 = socketProperties0.getSoLingerTime();
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(500, socketProperties0.getEventCache());
assertEquals(0, int0);
assertEquals(500, socketProperties0.getBufferPool());
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(20000, socketProperties0.getSoTimeout());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
}
@Test(timeout = 4000)
public void test11() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setSoLingerTime(500);
int int0 = socketProperties0.getSoLingerTime();
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(20000, socketProperties0.getSoTimeout());
assertEquals(500, socketProperties0.getBufferPool());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(500, socketProperties0.getEventCache());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(500, int0);
assertEquals(8192, socketProperties0.getAppWriteBufSize());
}
@Test(timeout = 4000)
public void test12() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setSoLingerOn(true);
boolean boolean0 = socketProperties0.getSoLingerOn();
assertEquals(500, socketProperties0.getEventCache());
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(500, socketProperties0.getDirectBufferPool());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(20000, socketProperties0.getSoTimeout());
assertTrue(boolean0);
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(8192, socketProperties0.getAppReadBufSize());
}
@Test(timeout = 4000)
public void test13() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setSoLingerOn(false);
boolean boolean0 = socketProperties0.getSoLingerOn();
assertFalse(boolean0);
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertEquals(500, socketProperties0.getEventCache());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(20000, socketProperties0.getSoTimeout());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(250, socketProperties0.getUnlockTimeout());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(500, socketProperties0.getDirectBufferPool());
assertEquals(500, socketProperties0.getProcessorCache());
}
@Test(timeout = 4000)
public void test14() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setRxBufSize(0);
int int0 = socketProperties0.getRxBufSize();
assertEquals(0, int0);
assertEquals(500, socketProperties0.getKeyCache());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(500, socketProperties0.getBufferPool());
assertEquals(20000, socketProperties0.getSoTimeout());
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertEquals(500, socketProperties0.getEventCache());
}
@Test(timeout = 4000)
public void test15() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setRxBufSize((-16641));
int int0 = socketProperties0.getRxBufSize();
assertEquals(500, socketProperties0.getEventCache());
assertEquals(20000, socketProperties0.getSoTimeout());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals((-16641), int0);
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(500, socketProperties0.getBufferPool());
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertFalse(socketProperties0.getDirectBuffer());
}
@Test(timeout = 4000)
public void test16() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
assertEquals(500, socketProperties0.getProcessorCache());
socketProperties0.setProcessorCache(0);
int int0 = socketProperties0.getProcessorCache();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setPerformanceLatency(0);
int int0 = socketProperties0.getPerformanceLatency();
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(20000, socketProperties0.getSoTimeout());
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(500, socketProperties0.getDirectBufferPool());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(0, int0);
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(500, socketProperties0.getEventCache());
}
@Test(timeout = 4000)
public void test18() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
Integer integer0 = socketProperties0.soTimeout;
socketProperties0.performanceLatency = integer0;
int int0 = socketProperties0.getPerformanceLatency();
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(500, socketProperties0.getEventCache());
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(500, socketProperties0.getDirectBufferPool());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(20000, int0);
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(500, socketProperties0.getProcessorCache());
}
@Test(timeout = 4000)
public void test19() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setPerformanceConnectionTime(0);
int int0 = socketProperties0.getPerformanceConnectionTime();
assertEquals(0, int0);
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(500, socketProperties0.getDirectBufferPool());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(20000, socketProperties0.getSoTimeout());
assertEquals(500, socketProperties0.getEventCache());
}
@Test(timeout = 4000)
public void test20() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setPerformanceConnectionTime(1);
int int0 = socketProperties0.getPerformanceConnectionTime();
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(500, socketProperties0.getEventCache());
assertEquals(1, int0);
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertEquals(20000, socketProperties0.getSoTimeout());
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(500, socketProperties0.getProcessorCache());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(500, socketProperties0.getDirectBufferPool());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
}
@Test(timeout = 4000)
public void test21() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setPerformanceBandwidth(500);
int int0 = socketProperties0.getPerformanceBandwidth();
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(20000, socketProperties0.getSoTimeout());
assertEquals(500, int0);
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(500, socketProperties0.getBufferPool());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(500, socketProperties0.getEventCache());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(8192, socketProperties0.getAppReadBufSize());
}
@Test(timeout = 4000)
public void test22() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setPerformanceBandwidth((-12890));
int int0 = socketProperties0.getPerformanceBandwidth();
assertEquals(500, socketProperties0.getEventCache());
assertEquals((-12890), int0);
assertEquals(20000, socketProperties0.getSoTimeout());
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(500, socketProperties0.getBufferPool());
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(500, socketProperties0.getKeyCache());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
}
@Test(timeout = 4000)
public void test23() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
Boolean boolean0 = socketProperties0.tcpNoDelay;
socketProperties0.ooBInline = boolean0;
socketProperties0.getOoBInline();
assertEquals(500, socketProperties0.getKeyCache());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(500, socketProperties0.getBufferPool());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(20000, socketProperties0.getSoTimeout());
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertEquals(500, socketProperties0.getEventCache());
}
@Test(timeout = 4000)
public void test24() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
Boolean boolean0 = Boolean.valueOf(false);
socketProperties0.ooBInline = boolean0;
socketProperties0.getOoBInline();
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(500, socketProperties0.getDirectBufferPool());
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(500, socketProperties0.getEventCache());
assertEquals(20000, socketProperties0.getSoTimeout());
}
@Test(timeout = 4000)
public void test25() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
assertEquals(500, socketProperties0.getKeyCache());
socketProperties0.setKeyCache(0);
int int0 = socketProperties0.getKeyCache();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test26() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
assertEquals(500, socketProperties0.getEventCache());
socketProperties0.setEventCache((-1));
int int0 = socketProperties0.getEventCache();
assertEquals((-1), int0);
}
@Test(timeout = 4000)
public void test27() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
assertEquals(500, socketProperties0.getBufferPool());
socketProperties0.setBufferPool(0);
int int0 = socketProperties0.getDirectBufferPool();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test28() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
assertEquals(104857600, socketProperties0.getBufferPoolSize());
socketProperties0.bufferPoolSize = 0;
int int0 = socketProperties0.getBufferPoolSize();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test29() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
assertEquals(104857600, socketProperties0.getBufferPoolSize());
socketProperties0.bufferPoolSize = (-1);
int int0 = socketProperties0.getBufferPoolSize();
assertEquals((-1), int0);
}
@Test(timeout = 4000)
public void test30() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
assertEquals(500, socketProperties0.getBufferPool());
socketProperties0.setBufferPool(0);
int int0 = socketProperties0.getBufferPool();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test31() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setBufferPool((-77012));
int int0 = socketProperties0.getBufferPool();
assertEquals((-77012), socketProperties0.getDirectBufferPool());
assertEquals((-77012), int0);
}
@Test(timeout = 4000)
public void test32() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
assertEquals(8192, socketProperties0.getAppWriteBufSize());
socketProperties0.setAppWriteBufSize(0);
int int0 = socketProperties0.getAppWriteBufSize();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test33() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setAppReadBufSize((-84985));
int int0 = socketProperties0.getAppReadBufSize();
assertEquals((-84985), int0);
}
@Test(timeout = 4000)
public void test34() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setSoTimeout((-64310));
MockServerSocket mockServerSocket0 = new MockServerSocket();
socketProperties0.setProperties((ServerSocket) mockServerSocket0);
assertEquals((-64310), socketProperties0.getSoTimeout());
}
@Test(timeout = 4000)
public void test35() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
assertEquals(20000, socketProperties0.getSoTimeout());
socketProperties0.soTimeout = null;
InetAddress inetAddress0 = MockInetAddress.getLocalHost();
MockServerSocket mockServerSocket0 = new MockServerSocket(10505, 10505, inetAddress0);
socketProperties0.setProperties((ServerSocket) mockServerSocket0);
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(500, socketProperties0.getEventCache());
assertEquals(500, socketProperties0.getDirectBufferPool());
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
}
@Test(timeout = 4000)
public void test36() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
Boolean boolean0 = socketProperties0.tcpNoDelay;
socketProperties0.soReuseAddress = boolean0;
// Undeclared exception!
try {
socketProperties0.setProperties((ServerSocket) null);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("SocketProperties", e);
}
}
@Test(timeout = 4000)
public void test37() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setRxBufSize(0);
MockServerSocket mockServerSocket0 = new MockServerSocket(250, 250, (InetAddress) null);
// Undeclared exception!
try {
socketProperties0.setProperties((ServerSocket) mockServerSocket0);
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// negative receive size
//
verifyException("java.net.ServerSocket", e);
}
}
@Test(timeout = 4000)
public void test38() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.soTimeout = null;
// Undeclared exception!
try {
socketProperties0.setProperties((Socket) null);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("SocketProperties", e);
}
}
@Test(timeout = 4000)
public void test39() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
MockSocket mockSocket0 = new MockSocket();
socketProperties0.setSoReuseAddress(false);
socketProperties0.setProperties((Socket) mockSocket0);
assertFalse(socketProperties0.getSoReuseAddress());
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(250, socketProperties0.getUnlockTimeout());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(500, socketProperties0.getDirectBufferPool());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(20000, socketProperties0.getSoTimeout());
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertEquals(500, socketProperties0.getEventCache());
}
@Test(timeout = 4000)
public void test40() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
MockSocket mockSocket0 = new MockSocket();
socketProperties0.setPerformanceConnectionTime(0);
socketProperties0.setProperties((Socket) mockSocket0);
assertEquals(500, socketProperties0.getEventCache());
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(0, socketProperties0.getPerformanceConnectionTime());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(20000, socketProperties0.getSoTimeout());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(500, socketProperties0.getBufferPool());
assertEquals(8192, socketProperties0.getAppReadBufSize());
}
@Test(timeout = 4000)
public void test41() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setSoKeepAlive(false);
// Undeclared exception!
try {
socketProperties0.setProperties((Socket) null);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("SocketProperties", e);
}
}
@Test(timeout = 4000)
public void test42() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setTxBufSize((-1));
MockSocket mockSocket0 = new MockSocket();
// Undeclared exception!
try {
socketProperties0.setProperties((Socket) mockSocket0);
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// negative send size
//
verifyException("org.evosuite.runtime.mock.java.net.MockSocket", e);
}
}
@Test(timeout = 4000)
public void test43() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setPerformanceBandwidth(0);
int int0 = socketProperties0.getPerformanceBandwidth();
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(20000, socketProperties0.getSoTimeout());
assertEquals(0, int0);
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(500, socketProperties0.getEventCache());
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(500, socketProperties0.getBufferPool());
assertEquals(8192, socketProperties0.getAppReadBufSize());
}
@Test(timeout = 4000)
public void test44() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
int int0 = socketProperties0.getKeyCache();
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(500, int0);
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(20000, socketProperties0.getSoTimeout());
assertEquals(500, socketProperties0.getEventCache());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(500, socketProperties0.getBufferPool());
}
@Test(timeout = 4000)
public void test45() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setDirectBufferPool(75790);
assertEquals(75790, socketProperties0.getBufferPool());
}
@Test(timeout = 4000)
public void test46() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setTcpNoDelay(false);
boolean boolean0 = socketProperties0.getTcpNoDelay();
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test47() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
// Undeclared exception!
try {
socketProperties0.getSoKeepAlive();
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
}
}
@Test(timeout = 4000)
public void test48() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
int int0 = socketProperties0.getAppReadBufSize();
assertEquals(8192, int0);
assertEquals(500, socketProperties0.getEventCache());
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(500, socketProperties0.getBufferPool());
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(20000, socketProperties0.getSoTimeout());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
}
@Test(timeout = 4000)
public void test49() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
assertEquals(250, socketProperties0.getUnlockTimeout());
socketProperties0.setUnlockTimeout(0);
int int0 = socketProperties0.getUnlockTimeout();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test50() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setSoLingerOn(false);
MockSocket mockSocket0 = new MockSocket();
socketProperties0.setProperties((Socket) mockSocket0);
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(500, socketProperties0.getEventCache());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(20000, socketProperties0.getSoTimeout());
assertEquals(250, socketProperties0.getUnlockTimeout());
assertFalse(socketProperties0.getSoLingerOn());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(500, socketProperties0.getDirectBufferPool());
assertEquals(500, socketProperties0.getProcessorCache());
}
@Test(timeout = 4000)
public void test51() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
int int0 = socketProperties0.getUnlockTimeout();
assertEquals(500, socketProperties0.getEventCache());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(20000, socketProperties0.getSoTimeout());
assertEquals(250, int0);
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(500, socketProperties0.getBufferPool());
}
@Test(timeout = 4000)
public void test52() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setAppWriteBufSize((-64311));
int int0 = socketProperties0.getAppWriteBufSize();
assertEquals((-64311), int0);
}
@Test(timeout = 4000)
public void test53() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
assertFalse(socketProperties0.getDirectBuffer());
socketProperties0.setDirectBuffer(true);
boolean boolean0 = socketProperties0.getDirectBuffer();
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test54() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.getTcpNoDelay();
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(20000, socketProperties0.getSoTimeout());
assertEquals(500, socketProperties0.getEventCache());
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(500, socketProperties0.getDirectBufferPool());
assertFalse(socketProperties0.getDirectBuffer());
}
@Test(timeout = 4000)
public void test55() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setOoBInline(true);
Proxy proxy0 = Proxy.NO_PROXY;
MockSocket mockSocket0 = new MockSocket(proxy0);
socketProperties0.setProperties((Socket) mockSocket0);
socketProperties0.getEventCache();
socketProperties0.setBufferPool(0);
socketProperties0.setProcessorCache(0);
boolean boolean0 = socketProperties0.getDirectBuffer();
assertEquals(0, socketProperties0.getProcessorCache());
assertEquals(0, socketProperties0.getBufferPool());
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test56() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
int int0 = socketProperties0.getDirectBufferPool();
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertEquals(500, int0);
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(20000, socketProperties0.getSoTimeout());
assertEquals(500, socketProperties0.getEventCache());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertFalse(socketProperties0.getDirectBuffer());
}
@Test(timeout = 4000)
public void test57() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
int int0 = socketProperties0.getProcessorCache();
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(20000, socketProperties0.getSoTimeout());
assertEquals(500, socketProperties0.getEventCache());
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(500, int0);
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(500, socketProperties0.getBufferPool());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(250, socketProperties0.getUnlockTimeout());
}
@Test(timeout = 4000)
public void test58() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
int int0 = socketProperties0.getBufferPool();
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(500, int0);
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(20000, socketProperties0.getSoTimeout());
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(500, socketProperties0.getEventCache());
}
@Test(timeout = 4000)
public void test59() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
assertEquals(20000, socketProperties0.getSoTimeout());
socketProperties0.setSoTimeout(0);
int int0 = socketProperties0.getSoTimeout();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test60() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
int int0 = socketProperties0.getSoTimeout();
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(20000, int0);
assertEquals(500, socketProperties0.getEventCache());
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertEquals(500, socketProperties0.getBufferPool());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
}
@Test(timeout = 4000)
public void test61() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
int int0 = socketProperties0.getAppWriteBufSize();
assertEquals(20000, socketProperties0.getSoTimeout());
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(250, socketProperties0.getUnlockTimeout());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(500, socketProperties0.getBufferPool());
assertEquals(8192, int0);
assertEquals(500, socketProperties0.getEventCache());
}
@Test(timeout = 4000)
public void test62() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
long long0 = socketProperties0.getTimeoutInterval();
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(20000, socketProperties0.getSoTimeout());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertEquals(500, socketProperties0.getEventCache());
assertEquals(500, socketProperties0.getDirectBufferPool());
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(1000L, long0);
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(500, socketProperties0.getProcessorCache());
}
@Test(timeout = 4000)
public void test63() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
int int0 = socketProperties0.getBufferPoolSize();
assertEquals(104857600, int0);
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(500, socketProperties0.getEventCache());
assertEquals(20000, socketProperties0.getSoTimeout());
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(500, socketProperties0.getDirectBufferPool());
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(500, socketProperties0.getKeyCache());
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(250, socketProperties0.getUnlockTimeout());
}
@Test(timeout = 4000)
public void test64() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setPerformanceConnectionTime((-8414));
int int0 = socketProperties0.getPerformanceConnectionTime();
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(20000, socketProperties0.getSoTimeout());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(8192, socketProperties0.getAppReadBufSize());
assertEquals(500, socketProperties0.getEventCache());
assertEquals(500, socketProperties0.getDirectBufferPool());
assertEquals(500, socketProperties0.getKeyCache());
assertEquals((-8414), int0);
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(500, socketProperties0.getProcessorCache());
}
@Test(timeout = 4000)
public void test65() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setSoKeepAlive(true);
boolean boolean0 = socketProperties0.getSoKeepAlive();
assertEquals(250, socketProperties0.getUnlockTimeout());
assertEquals(104857600, socketProperties0.getBufferPoolSize());
assertEquals(20000, socketProperties0.getSoTimeout());
assertTrue(boolean0);
assertFalse(socketProperties0.getDirectBuffer());
assertEquals(500, socketProperties0.getProcessorCache());
assertEquals(1000L, socketProperties0.getTimeoutInterval());
assertEquals(500, socketProperties0.getKeyCache());
assertEquals(500, socketProperties0.getDirectBufferPool());
assertEquals(500, socketProperties0.getEventCache());
assertEquals(8192, socketProperties0.getAppWriteBufSize());
assertEquals(8192, socketProperties0.getAppReadBufSize());
}
@Test(timeout = 4000)
public void test66() throws Throwable {
SocketProperties socketProperties0 = new SocketProperties();
socketProperties0.setBufferPoolSize(26174);
assertEquals(26174, socketProperties0.getBufferPoolSize());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 05:36: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 SocketProperties_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "SocketProperties";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpmnzik3b9");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SocketProperties_ESTest_scaffolding.class.getClassLoader() ,
"SocketProperties"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SocketProperties_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"SocketProperties"
);
}
}
| 12,153 |
UserEntity | /*******************************************************************************
* Copyright (c) 2015 IBH SYSTEMS GmbH.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* IBH SYSTEMS GmbH - initial API and implementation
* M-Ezzat - code cleanup - squid:S2162
*******************************************************************************/
import java.util.Date;
import java.util.HashSet;
import java.util.Set;
public class UserEntity {
private String id;
private String name;
private Date registrationDate;
private String email;
private String emailTokenSalt;
private String emailToken;
private Date emailTokenDate;
private boolean emailVerified;
private String passwordHash;
private String passwordSalt;
private boolean locked;
private String rememberMeTokenHash;
private String rememberMeTokenSalt;
private Set<String> roles = new HashSet<>();
public UserEntity() {}
public UserEntity(final UserEntity other) {
this.id = other.id;
this.name = other.name;
this.registrationDate = other.registrationDate;
this.email = other.email;
this.emailTokenSalt = other.emailTokenSalt;
this.emailToken = other.emailToken;
this.emailTokenDate = other.emailTokenDate;
this.emailVerified = other.emailVerified;
this.passwordHash = other.passwordHash;
this.passwordSalt = other.passwordSalt;
this.locked = other.locked;
this.rememberMeTokenHash = other.rememberMeTokenHash;
this.rememberMeTokenSalt = other.rememberMeTokenSalt;
this.roles = new HashSet<>(other.roles);
}
public void setRoles(final Set<String> roles) {
this.roles = roles;
}
public Set<String> getRoles() {
return this.roles;
}
public void setRememberMeTokenHash(final String rememberMeTokenHash) {
this.rememberMeTokenHash = rememberMeTokenHash;
}
public String getRememberMeTokenHash() {
return this.rememberMeTokenHash;
}
public void setRememberMeTokenSalt(final String rememberMeTokenSalt) {
this.rememberMeTokenSalt = rememberMeTokenSalt;
}
public String getRememberMeTokenSalt() {
return this.rememberMeTokenSalt;
}
public void setLocked(final boolean locked) {
this.locked = locked;
}
public boolean isLocked() {
return this.locked;
}
public void setEmailVerified(final boolean emailVerified) {
this.emailVerified = emailVerified;
}
public boolean isEmailVerified() {
return this.emailVerified;
}
public void setPasswordSalt(final String passwordSalt) {
this.passwordSalt = passwordSalt;
}
public String getPasswordSalt() {
return this.passwordSalt;
}
public void setPasswordHash(final String passwordHash) {
this.passwordHash = passwordHash;
}
public String getPasswordHash() {
return this.passwordHash;
}
public void setRegistrationDate(final Date registrationDate) {
this.registrationDate = registrationDate;
}
public Date getRegistrationDate() {
return this.registrationDate;
}
public String getEmail() {
return this.email;
}
public void setEmail(final String email) {
this.email = email;
}
public void setId(final String id) {
this.id = id;
}
public String getId() {
return this.id;
}
public void setName(final String name) {
this.name = name;
}
public String getName() {
return this.name;
}
public String getEmailTokenSalt() {
return this.emailTokenSalt;
}
public void setEmailTokenSalt(final String emailTokenSalt) {
this.emailTokenSalt = emailTokenSalt;
}
public String getEmailToken() {
return this.emailToken;
}
public void setEmailToken(final String emailToken) {
this.emailToken = emailToken;
}
public Date getEmailTokenDate() {
return this.emailTokenDate;
}
public void setEmailTokenDate(final Date emailTokenDate) {
this.emailTokenDate = emailTokenDate;
}
@Override
public int hashCode() {
final int prime = 31;
int result = 1;
result = prime * result + (this.id == null ? 0 : this.id.hashCode());
return result;
}
@Override
public boolean equals(final Object obj) {
if (this == obj) {
return true;
}
if (obj == null) {
return false;
}
if (this.getClass() != obj.getClass()) {
return false;
}
final UserEntity other = (UserEntity) obj;
if (this.id == null) {
if (other.id != null) {
return false;
}
} else if (!this.id.equals(other.id)) {
return false;
}
return true;
}
}
| .version 52 0
.class public super UserEntity
.super java/lang/Object
.field private id Ljava/lang/String;
.field private name Ljava/lang/String;
.field private registrationDate Ljava/util/Date;
.field private email Ljava/lang/String;
.field private emailTokenSalt Ljava/lang/String;
.field private emailToken Ljava/lang/String;
.field private emailTokenDate Ljava/util/Date;
.field private emailVerified Z
.field private passwordHash Ljava/lang/String;
.field private passwordSalt Ljava/lang/String;
.field private locked Z
.field private rememberMeTokenHash Ljava/lang/String;
.field private rememberMeTokenSalt Ljava/lang/String;
.field private roles Ljava/util/Set; .fieldattributes
.signature Ljava/util/Set<Ljava/lang/String;>;
.end fieldattributes
.method public <init> : ()V
.code stack 3 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: new java/util/HashSet
L8: dup
L9: invokespecial Method java/util/HashSet <init> ()V
L12: putfield Field UserEntity roles Ljava/util/Set;
L15: return
L16:
.linenumbertable
L0 49
L4 46
L15 50
.end linenumbertable
.end code
.end method
.method public <init> : (LUserEntity;)V
.code stack 4 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: new java/util/HashSet
L8: dup
L9: invokespecial Method java/util/HashSet <init> ()V
L12: putfield Field UserEntity roles Ljava/util/Set;
L15: aload_0
L16: aload_1
L17: getfield Field UserEntity id Ljava/lang/String;
L20: putfield Field UserEntity id Ljava/lang/String;
L23: aload_0
L24: aload_1
L25: getfield Field UserEntity name Ljava/lang/String;
L28: putfield Field UserEntity name Ljava/lang/String;
L31: aload_0
L32: aload_1
L33: getfield Field UserEntity registrationDate Ljava/util/Date;
L36: putfield Field UserEntity registrationDate Ljava/util/Date;
L39: aload_0
L40: aload_1
L41: getfield Field UserEntity email Ljava/lang/String;
L44: putfield Field UserEntity email Ljava/lang/String;
L47: aload_0
L48: aload_1
L49: getfield Field UserEntity emailTokenSalt Ljava/lang/String;
L52: putfield Field UserEntity emailTokenSalt Ljava/lang/String;
L55: aload_0
L56: aload_1
L57: getfield Field UserEntity emailToken Ljava/lang/String;
L60: putfield Field UserEntity emailToken Ljava/lang/String;
L63: aload_0
L64: aload_1
L65: getfield Field UserEntity emailTokenDate Ljava/util/Date;
L68: putfield Field UserEntity emailTokenDate Ljava/util/Date;
L71: aload_0
L72: aload_1
L73: getfield Field UserEntity emailVerified Z
L76: putfield Field UserEntity emailVerified Z
L79: aload_0
L80: aload_1
L81: getfield Field UserEntity passwordHash Ljava/lang/String;
L84: putfield Field UserEntity passwordHash Ljava/lang/String;
L87: aload_0
L88: aload_1
L89: getfield Field UserEntity passwordSalt Ljava/lang/String;
L92: putfield Field UserEntity passwordSalt Ljava/lang/String;
L95: aload_0
L96: aload_1
L97: getfield Field UserEntity locked Z
L100: putfield Field UserEntity locked Z
L103: aload_0
L104: aload_1
L105: getfield Field UserEntity rememberMeTokenHash Ljava/lang/String;
L108: putfield Field UserEntity rememberMeTokenHash Ljava/lang/String;
L111: aload_0
L112: aload_1
L113: getfield Field UserEntity rememberMeTokenSalt Ljava/lang/String;
L116: putfield Field UserEntity rememberMeTokenSalt Ljava/lang/String;
L119: aload_0
L120: new java/util/HashSet
L123: dup
L124: aload_1
L125: getfield Field UserEntity roles Ljava/util/Set;
L128: invokespecial Method java/util/HashSet <init> (Ljava/util/Collection;)V
L131: putfield Field UserEntity roles Ljava/util/Set;
L134: return
L135:
.linenumbertable
L0 53
L4 46
L15 54
L23 55
L31 56
L39 57
L47 58
L55 59
L63 60
L71 61
L79 62
L87 63
L95 64
L103 65
L111 66
L119 67
L134 68
.end linenumbertable
.end code
.end method
.method public setRoles : (Ljava/util/Set;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserEntity roles Ljava/util/Set;
L5: return
L6:
.linenumbertable
L0 72
L5 73
.end linenumbertable
.end code
.signature (Ljava/util/Set<Ljava/lang/String;>;)V
.end method
.method public getRoles : ()Ljava/util/Set;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserEntity roles Ljava/util/Set;
L4: areturn
L5:
.linenumbertable
L0 77
.end linenumbertable
.end code
.signature ()Ljava/util/Set<Ljava/lang/String;>;
.end method
.method public setRememberMeTokenHash : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserEntity rememberMeTokenHash Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 82
L5 83
.end linenumbertable
.end code
.end method
.method public getRememberMeTokenHash : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserEntity rememberMeTokenHash Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 87
.end linenumbertable
.end code
.end method
.method public setRememberMeTokenSalt : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserEntity rememberMeTokenSalt Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 92
L5 93
.end linenumbertable
.end code
.end method
.method public getRememberMeTokenSalt : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserEntity rememberMeTokenSalt Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 97
.end linenumbertable
.end code
.end method
.method public setLocked : (Z)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field UserEntity locked Z
L5: return
L6:
.linenumbertable
L0 102
L5 103
.end linenumbertable
.end code
.end method
.method public isLocked : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserEntity locked Z
L4: ireturn
L5:
.linenumbertable
L0 107
.end linenumbertable
.end code
.end method
.method public setEmailVerified : (Z)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field UserEntity emailVerified Z
L5: return
L6:
.linenumbertable
L0 112
L5 113
.end linenumbertable
.end code
.end method
.method public isEmailVerified : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserEntity emailVerified Z
L4: ireturn
L5:
.linenumbertable
L0 117
.end linenumbertable
.end code
.end method
.method public setPasswordSalt : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserEntity passwordSalt Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 122
L5 123
.end linenumbertable
.end code
.end method
.method public getPasswordSalt : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserEntity passwordSalt Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 127
.end linenumbertable
.end code
.end method
.method public setPasswordHash : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserEntity passwordHash Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 132
L5 133
.end linenumbertable
.end code
.end method
.method public getPasswordHash : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserEntity passwordHash Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 137
.end linenumbertable
.end code
.end method
.method public setRegistrationDate : (Ljava/util/Date;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserEntity registrationDate Ljava/util/Date;
L5: return
L6:
.linenumbertable
L0 142
L5 143
.end linenumbertable
.end code
.end method
.method public getRegistrationDate : ()Ljava/util/Date;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserEntity registrationDate Ljava/util/Date;
L4: areturn
L5:
.linenumbertable
L0 147
.end linenumbertable
.end code
.end method
.method public getEmail : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserEntity email Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 152
.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 UserEntity email Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 157
L5 158
.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 UserEntity id Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 162
L5 163
.end linenumbertable
.end code
.end method
.method public getId : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserEntity id Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 167
.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 UserEntity name Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 172
L5 173
.end linenumbertable
.end code
.end method
.method public getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserEntity name Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 177
.end linenumbertable
.end code
.end method
.method public getEmailTokenSalt : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserEntity emailTokenSalt Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 182
.end linenumbertable
.end code
.end method
.method public setEmailTokenSalt : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserEntity emailTokenSalt Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 187
L5 188
.end linenumbertable
.end code
.end method
.method public getEmailToken : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserEntity emailToken Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 192
.end linenumbertable
.end code
.end method
.method public setEmailToken : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserEntity emailToken Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 197
L5 198
.end linenumbertable
.end code
.end method
.method public getEmailTokenDate : ()Ljava/util/Date;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field UserEntity emailTokenDate Ljava/util/Date;
L4: areturn
L5:
.linenumbertable
L0 202
.end linenumbertable
.end code
.end method
.method public setEmailTokenDate : (Ljava/util/Date;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field UserEntity emailTokenDate Ljava/util/Date;
L5: return
L6:
.linenumbertable
L0 207
L5 208
.end linenumbertable
.end code
.end method
.method public hashCode : ()I
.code stack 2 locals 3
L0: iconst_1
L1: istore_2
L2: bipush 31
L4: iload_2
L5: imul
L6: aload_0
L7: getfield Field UserEntity id Ljava/lang/String;
L10: ifnonnull L17
L13: iconst_0
L14: goto L24
.stack full
locals Object UserEntity Top Integer
stack Integer
.end stack
L17: aload_0
L18: getfield Field UserEntity id Ljava/lang/String;
L21: invokevirtual Method java/lang/String hashCode ()I
.stack full
locals Object UserEntity Top Integer
stack Integer Integer
.end stack
L24: iadd
L25: istore_2
L26: iload_2
L27: ireturn
L28:
.linenumbertable
L0 214
L2 215
L26 216
.end linenumbertable
.end code
.end method
.method public equals : (Ljava/lang/Object;)Z
.code stack 2 locals 3
L0: aload_0
L1: aload_1
L2: if_acmpne L7
L5: iconst_1
L6: ireturn
.stack same
L7: aload_1
L8: ifnonnull L13
L11: iconst_0
L12: ireturn
.stack same
L13: aload_0
L14: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L17: aload_1
L18: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L21: if_acmpeq L26
L24: iconst_0
L25: ireturn
.stack same
L26: aload_1
L27: checkcast UserEntity
L30: astore_2
L31: aload_0
L32: getfield Field UserEntity id Ljava/lang/String;
L35: ifnonnull L47
L38: aload_2
L39: getfield Field UserEntity id Ljava/lang/String;
L42: ifnull L63
L45: iconst_0
L46: ireturn
.stack append Object UserEntity
L47: aload_0
L48: getfield Field UserEntity id Ljava/lang/String;
L51: aload_2
L52: getfield Field UserEntity id Ljava/lang/String;
L55: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L58: ifne L63
L61: iconst_0
L62: ireturn
.stack same
L63: iconst_1
L64: ireturn
L65:
.linenumbertable
L0 222
L5 224
L7 226
L11 228
L13 230
L24 232
L26 234
L31 235
L38 237
L45 239
L47 242
L61 244
L63 246
.end linenumbertable
.end code
.end method
.sourcefile 'UserEntity.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 01:39:15 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.util.Date;
import java.util.LinkedHashSet;
import java.util.Set;
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 UserEntity_ESTest extends UserEntity_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
UserEntity userEntity0 = new UserEntity();
userEntity0.setId("NQOO");
userEntity0.hashCode();
}
@Test(timeout = 4000)
public void test01() throws Throwable {
UserEntity userEntity0 = new UserEntity();
LinkedHashSet<String> linkedHashSet0 = new LinkedHashSet<String>();
linkedHashSet0.add("");
userEntity0.setRoles(linkedHashSet0);
Set<String> set0 = userEntity0.getRoles();
assertFalse(set0.isEmpty());
}
@Test(timeout = 4000)
public void test02() throws Throwable {
UserEntity userEntity0 = new UserEntity();
userEntity0.setRememberMeTokenSalt("R?_Pa#m");
String string0 = userEntity0.getRememberMeTokenSalt();
assertEquals("R?_Pa#m", string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
UserEntity userEntity0 = new UserEntity();
userEntity0.setRememberMeTokenSalt("");
String string0 = userEntity0.getRememberMeTokenSalt();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
UserEntity userEntity0 = new UserEntity();
userEntity0.setRememberMeTokenHash(",");
String string0 = userEntity0.getRememberMeTokenHash();
assertEquals(",", string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
UserEntity userEntity0 = new UserEntity();
userEntity0.setRememberMeTokenHash("");
String string0 = userEntity0.getRememberMeTokenHash();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
UserEntity userEntity0 = new UserEntity();
MockDate mockDate0 = new MockDate((-32353L));
userEntity0.setRegistrationDate(mockDate0);
Date date0 = userEntity0.getRegistrationDate();
assertSame(date0, mockDate0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
UserEntity userEntity0 = new UserEntity();
userEntity0.setPasswordSalt("");
String string0 = userEntity0.getPasswordSalt();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
UserEntity userEntity0 = new UserEntity();
userEntity0.setPasswordHash("B3H");
String string0 = userEntity0.getPasswordHash();
assertEquals("B3H", string0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
UserEntity userEntity0 = new UserEntity();
userEntity0.setPasswordHash("");
String string0 = userEntity0.getPasswordHash();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
UserEntity userEntity0 = new UserEntity();
userEntity0.setName("Y\"G?");
String string0 = userEntity0.getName();
assertEquals("Y\"G?", string0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
UserEntity userEntity0 = new UserEntity();
userEntity0.setName("");
String string0 = userEntity0.getName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
UserEntity userEntity0 = new UserEntity();
userEntity0.setId("f9h2'p?E@AKD@>G");
String string0 = userEntity0.getId();
assertEquals("f9h2'p?E@AKD@>G", string0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
UserEntity userEntity0 = new UserEntity();
userEntity0.setId("");
String string0 = userEntity0.getId();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
UserEntity userEntity0 = new UserEntity();
userEntity0.setEmailTokenSalt(">");
String string0 = userEntity0.getEmailTokenSalt();
assertEquals(">", string0);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
UserEntity userEntity0 = new UserEntity();
userEntity0.setEmailTokenSalt("");
String string0 = userEntity0.getEmailTokenSalt();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
UserEntity userEntity0 = new UserEntity();
MockDate mockDate0 = new MockDate(1, 1, 17172, 1, 17172, 1);
userEntity0.setEmailTokenDate(mockDate0);
Date date0 = userEntity0.getEmailTokenDate();
assertEquals("Tue Feb 17 23:12:01 GMT 1948", date0.toString());
}
@Test(timeout = 4000)
public void test17() throws Throwable {
UserEntity userEntity0 = new UserEntity();
userEntity0.setEmailToken("DY+{W.OuQSN");
String string0 = userEntity0.getEmailToken();
assertEquals("DY+{W.OuQSN", string0);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
UserEntity userEntity0 = new UserEntity();
userEntity0.setEmailToken("");
String string0 = userEntity0.getEmailToken();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test19() throws Throwable {
UserEntity userEntity0 = new UserEntity();
userEntity0.setEmail("E;0{L&t");
String string0 = userEntity0.getEmail();
assertEquals("E;0{L&t", string0);
}
@Test(timeout = 4000)
public void test20() throws Throwable {
UserEntity userEntity0 = new UserEntity();
userEntity0.setEmail("");
String string0 = userEntity0.getEmail();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test21() throws Throwable {
UserEntity userEntity0 = new UserEntity();
userEntity0.setId("");
UserEntity userEntity1 = new UserEntity(userEntity0);
boolean boolean0 = userEntity0.equals(userEntity1);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test22() throws Throwable {
UserEntity userEntity0 = new UserEntity();
userEntity0.setId("Y\"G?");
UserEntity userEntity1 = new UserEntity();
boolean boolean0 = userEntity0.equals(userEntity1);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test23() throws Throwable {
UserEntity userEntity0 = new UserEntity();
UserEntity userEntity1 = new UserEntity();
boolean boolean0 = userEntity0.equals(userEntity1);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test24() throws Throwable {
UserEntity userEntity0 = new UserEntity();
boolean boolean0 = userEntity0.equals((Object) null);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test25() throws Throwable {
UserEntity userEntity0 = new UserEntity();
boolean boolean0 = userEntity0.equals(userEntity0);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test26() throws Throwable {
UserEntity userEntity0 = new UserEntity();
Object object0 = new Object();
boolean boolean0 = userEntity0.equals(object0);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test27() throws Throwable {
UserEntity userEntity0 = new UserEntity();
userEntity0.hashCode();
}
@Test(timeout = 4000)
public void test28() throws Throwable {
UserEntity userEntity0 = new UserEntity();
String string0 = userEntity0.getEmailToken();
assertNull(string0);
}
@Test(timeout = 4000)
public void test29() throws Throwable {
UserEntity userEntity0 = new UserEntity();
boolean boolean0 = userEntity0.isEmailVerified();
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test30() throws Throwable {
UserEntity userEntity0 = new UserEntity();
String string0 = userEntity0.getRememberMeTokenHash();
assertNull(string0);
}
@Test(timeout = 4000)
public void test31() throws Throwable {
UserEntity userEntity0 = new UserEntity();
String string0 = userEntity0.getPasswordHash();
assertNull(string0);
}
@Test(timeout = 4000)
public void test32() throws Throwable {
UserEntity userEntity0 = new UserEntity();
userEntity0.setLocked(true);
boolean boolean0 = userEntity0.isLocked();
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test33() throws Throwable {
UserEntity userEntity0 = new UserEntity();
userEntity0.setEmailVerified(true);
boolean boolean0 = userEntity0.isEmailVerified();
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test34() throws Throwable {
UserEntity userEntity0 = new UserEntity();
UserEntity userEntity1 = new UserEntity(userEntity0);
assertTrue(userEntity1.equals((Object)userEntity0));
userEntity1.setId("");
boolean boolean0 = userEntity0.equals(userEntity1);
assertFalse(userEntity1.equals((Object)userEntity0));
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test35() throws Throwable {
UserEntity userEntity0 = new UserEntity();
Date date0 = userEntity0.getEmailTokenDate();
assertNull(date0);
}
@Test(timeout = 4000)
public void test36() throws Throwable {
UserEntity userEntity0 = new UserEntity();
Date date0 = userEntity0.getRegistrationDate();
assertNull(date0);
}
@Test(timeout = 4000)
public void test37() throws Throwable {
UserEntity userEntity0 = new UserEntity();
String string0 = userEntity0.getEmail();
assertNull(string0);
}
@Test(timeout = 4000)
public void test38() throws Throwable {
UserEntity userEntity0 = new UserEntity();
String string0 = userEntity0.getRememberMeTokenSalt();
assertNull(string0);
}
@Test(timeout = 4000)
public void test39() throws Throwable {
UserEntity userEntity0 = new UserEntity();
userEntity0.setPasswordSalt("xWM!O~M1OVX$?cURzaN");
String string0 = userEntity0.getPasswordSalt();
assertEquals("xWM!O~M1OVX$?cURzaN", string0);
}
@Test(timeout = 4000)
public void test40() throws Throwable {
UserEntity userEntity0 = new UserEntity();
Set<String> set0 = userEntity0.getRoles();
userEntity0.setRoles(set0);
assertNull(userEntity0.getName());
}
@Test(timeout = 4000)
public void test41() throws Throwable {
UserEntity userEntity0 = new UserEntity();
String string0 = userEntity0.getEmailTokenSalt();
assertNull(string0);
}
@Test(timeout = 4000)
public void test42() throws Throwable {
UserEntity userEntity0 = new UserEntity();
String string0 = userEntity0.getId();
assertNull(string0);
}
@Test(timeout = 4000)
public void test43() throws Throwable {
UserEntity userEntity0 = new UserEntity();
String string0 = userEntity0.getPasswordSalt();
assertNull(string0);
}
@Test(timeout = 4000)
public void test44() throws Throwable {
UserEntity userEntity0 = new UserEntity();
boolean boolean0 = userEntity0.isLocked();
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test45() throws Throwable {
UserEntity userEntity0 = new UserEntity();
String string0 = userEntity0.getName();
assertNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 01:39:15 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class UserEntity_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "UserEntity";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpztyinpvv");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(UserEntity_ESTest_scaffolding.class.getClassLoader() ,
"UserEntity"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UserEntity_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"UserEntity"
);
}
}
| 12,154 |
ProcessException | public class ProcessException extends Exception {
private static final long serialVersionUID = 1L;
public ProcessException(String message, Object... args) {
super(String.format(message, args));
}
}
| .version 52 0
.class public super ProcessException
.super java/lang/Exception
.field private static final serialVersionUID J = 1L
.method public varargs <init> : (Ljava/lang/String;[Ljava/lang/Object;)V
.code stack 3 locals 3
L0: aload_0
L1: aload_1
L2: aload_2
L3: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String;
L6: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V
L9: return
L10:
.linenumbertable
L0 8
L9 9
.end linenumbertable
.end code
.end method
.sourcefile 'ProcessException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 13:10: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 ProcessException_ESTest extends ProcessException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Object[] objectArray0 = new Object[9];
ProcessException processException0 = new ProcessException("", objectArray0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 13:10: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 ProcessException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ProcessException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpa6uq0znv");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ProcessException_ESTest_scaffolding.class.getClassLoader() ,
"ProcessException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ProcessException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ProcessException"
);
}
}
| 12,155 |
Preconditions | /*
* Copyright (c) "Neo4j"
* Neo4j Sweden AB [http://neo4j.com]
*
* This file is part of Neo4j.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
public final class Preconditions {
private Preconditions() {}
/**
* Assert that given expression is true.
*
* @param expression the value to check.
* @param message the message.
* @throws IllegalArgumentException if given value is {@code false}.
*/
public static void checkArgument(boolean expression, String message) {
if (!expression) {
throw new IllegalArgumentException(message);
}
}
/**
* Assert that given argument is of expected type.
*
* @param argument the object to check.
* @param expectedClass the expected type.
* @throws IllegalArgumentException if argument is not of expected type.
*/
public static void checkArgument(Object argument, Class<?> expectedClass) {
if (!expectedClass.isInstance(argument)) {
throw new IllegalArgumentException(
"Argument expected to be of type: " + expectedClass.getName() + " but was: " + argument);
}
}
}
| .version 52 0
.class public final super Preconditions
.super java/lang/Object
.method private <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 22
.end linenumbertable
.end code
.end method
.method public static checkArgument : (ZLjava/lang/String;)V
.code stack 3 locals 2
L0: iload_0
L1: ifne L13
L4: new java/lang/IllegalArgumentException
L7: dup
L8: aload_1
L9: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;)V
L12: athrow
.stack same
L13: return
L14:
.linenumbertable
L0 32
L4 33
L13 35
.end linenumbertable
.end code
.end method
.method public static checkArgument : (Ljava/lang/Object;Ljava/lang/Class;)V
.code stack 4 locals 2
L0: aload_1
L1: aload_0
L2: invokevirtual Method java/lang/Class isInstance (Ljava/lang/Object;)Z
L5: ifne L47
L8: new java/lang/IllegalArgumentException
L11: dup
L12: new java/lang/StringBuilder
L15: dup
L16: invokespecial Method java/lang/StringBuilder <init> ()V
L19: ldc 'Argument expected to be of type: '
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: aload_1
L25: invokevirtual Method java/lang/Class getName ()Ljava/lang/String;
L28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L31: ldc ' but was: '
L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L36: aload_0
L37: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L40: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L43: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;)V
L46: athrow
.stack same
L47: return
L48:
.linenumbertable
L0 45
L8 46
L25 47
L47 49
.end linenumbertable
.end code
.signature (Ljava/lang/Object;Ljava/lang/Class<*>;)V
.end method
.sourcefile 'Preconditions.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 21:06:46 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Preconditions_ESTest extends Preconditions_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Object object0 = new Object();
Class<Integer> class0 = Integer.class;
// Undeclared exception!
try {
Preconditions.checkArgument(object0, class0);
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// Argument expected to be of type: java.lang.Integer but was: java.lang.Object@54f6b62f
//
verifyException("Preconditions", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Class<Object> class0 = Object.class;
Preconditions.checkArgument((Object) "P/v HFIA_~)$3jN", (Class<?>) class0);
Preconditions.checkArgument(true, "P/v HFIA_~)$3jN");
Object object0 = new Object();
Class<Integer> class1 = Integer.class;
// Undeclared exception!
try {
Preconditions.checkArgument(object0, class1);
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// Argument expected to be of type: java.lang.Integer but was: java.lang.Object@55480eb6
//
verifyException("Preconditions", e);
}
}
@Test(timeout = 4000)
public void test2() throws Throwable {
// Undeclared exception!
try {
Preconditions.checkArgument(false, "7}D");
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// 7}D
//
verifyException("Preconditions", e);
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 21:06:46 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Preconditions_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Preconditions";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpsqcs1ykv");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Preconditions_ESTest_scaffolding.class.getClassLoader() ,
"Preconditions"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Preconditions_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Preconditions"
);
}
}
| 12,156 |
GetTrackingsByOrderNoUrlBuilder | import java.text.MessageFormat;
public class GetTrackingsByOrderNoUrlBuilder {
private String serviceUrl = "http://online.yw56.com.cn/service";
private String apiCallUrl = "Users/{0}/Orders/{1}/Trackings";
private String httpMethod = "get";
private String userId;
private String orderNo;
public String getServiceUrl() {
return serviceUrl;
}
public void setServiceUrl(String serviceUrl) {
this.serviceUrl = serviceUrl;
}
public String getApiCallUrl() {
return apiCallUrl;
}
public void setApiCallUrl(String apiCallUrl) {
this.apiCallUrl = apiCallUrl;
}
public String getHttpMethod() {
return httpMethod;
}
public void setHttpMethod(String httpMethod) {
this.httpMethod = httpMethod;
}
public String getUserId() {
return userId;
}
public void setUserId(String userId) {
this.userId = userId;
}
public String getOrderNo() {
return orderNo;
}
public void setOrderNo(String orderNo) {
this.orderNo = orderNo;
}
public String build() {
StringBuffer urlBuffer = new StringBuffer();
urlBuffer.append(this.getServiceUrl());
urlBuffer.append("/");
urlBuffer.append(
MessageFormat.format(
this.getApiCallUrl(), new String[] {this.getUserId(), this.getOrderNo()}));
return urlBuffer.toString();
}
}
| .version 52 0
.class public super GetTrackingsByOrderNoUrlBuilder
.super java/lang/Object
.field private serviceUrl Ljava/lang/String;
.field private apiCallUrl Ljava/lang/String;
.field private httpMethod Ljava/lang/String;
.field private userId Ljava/lang/String;
.field private orderNo Ljava/lang/String;
.method public <init> : ()V
.code stack 2 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: ldc 'http://online.yw56.com.cn/service'
L7: putfield Field GetTrackingsByOrderNoUrlBuilder serviceUrl Ljava/lang/String;
L10: aload_0
L11: ldc 'Users/{0}/Orders/{1}/Trackings'
L13: putfield Field GetTrackingsByOrderNoUrlBuilder apiCallUrl Ljava/lang/String;
L16: aload_0
L17: ldc 'get'
L19: putfield Field GetTrackingsByOrderNoUrlBuilder httpMethod Ljava/lang/String;
L22: return
L23:
.linenumbertable
L0 5
L4 7
L10 9
L16 11
.end linenumbertable
.end code
.end method
.method public getServiceUrl : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field GetTrackingsByOrderNoUrlBuilder serviceUrl Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 18
.end linenumbertable
.end code
.end method
.method public setServiceUrl : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field GetTrackingsByOrderNoUrlBuilder serviceUrl Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 22
L5 23
.end linenumbertable
.end code
.end method
.method public getApiCallUrl : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field GetTrackingsByOrderNoUrlBuilder apiCallUrl Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 26
.end linenumbertable
.end code
.end method
.method public setApiCallUrl : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field GetTrackingsByOrderNoUrlBuilder apiCallUrl Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 30
L5 31
.end linenumbertable
.end code
.end method
.method public getHttpMethod : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field GetTrackingsByOrderNoUrlBuilder httpMethod Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 34
.end linenumbertable
.end code
.end method
.method public setHttpMethod : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field GetTrackingsByOrderNoUrlBuilder httpMethod Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 38
L5 39
.end linenumbertable
.end code
.end method
.method public getUserId : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field GetTrackingsByOrderNoUrlBuilder userId Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 42
.end linenumbertable
.end code
.end method
.method public setUserId : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field GetTrackingsByOrderNoUrlBuilder userId Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 46
L5 47
.end linenumbertable
.end code
.end method
.method public getOrderNo : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field GetTrackingsByOrderNoUrlBuilder orderNo Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 50
.end linenumbertable
.end code
.end method
.method public setOrderNo : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field GetTrackingsByOrderNoUrlBuilder orderNo Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 54
L5 55
.end linenumbertable
.end code
.end method
.method public build : ()Ljava/lang/String;
.code stack 6 locals 2
L0: new java/lang/StringBuffer
L3: dup
L4: invokespecial Method java/lang/StringBuffer <init> ()V
L7: astore_1
L8: aload_1
L9: aload_0
L10: invokevirtual Method GetTrackingsByOrderNoUrlBuilder getServiceUrl ()Ljava/lang/String;
L13: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L16: pop
L17: aload_1
L18: ldc '/'
L20: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L23: pop
L24: aload_1
L25: aload_0
L26: invokevirtual Method GetTrackingsByOrderNoUrlBuilder getApiCallUrl ()Ljava/lang/String;
L29: iconst_2
L30: anewarray java/lang/String
L33: dup
L34: iconst_0
L35: aload_0
L36: invokevirtual Method GetTrackingsByOrderNoUrlBuilder getUserId ()Ljava/lang/String;
L39: aastore
L40: dup
L41: iconst_1
L42: aload_0
L43: invokevirtual Method GetTrackingsByOrderNoUrlBuilder getOrderNo ()Ljava/lang/String;
L46: aastore
L47: invokestatic Method java/text/MessageFormat format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String;
L50: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L53: pop
L54: aload_1
L55: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String;
L58: areturn
L59:
.linenumbertable
L0 58
L8 59
L17 60
L24 61
L36 62
L47 61
L54 63
.end linenumbertable
.end code
.end method
.sourcefile 'GetTrackingsByOrderNoUrlBuilder.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 20: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 GetTrackingsByOrderNoUrlBuilder_ESTest extends GetTrackingsByOrderNoUrlBuilder_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
GetTrackingsByOrderNoUrlBuilder getTrackingsByOrderNoUrlBuilder0 = new GetTrackingsByOrderNoUrlBuilder();
getTrackingsByOrderNoUrlBuilder0.setUserId("/Users//Orders/~\"%7d8q?zGp6E/Trackings");
getTrackingsByOrderNoUrlBuilder0.getUserId();
assertEquals("get", getTrackingsByOrderNoUrlBuilder0.getHttpMethod());
assertEquals("Users/{0}/Orders/{1}/Trackings", getTrackingsByOrderNoUrlBuilder0.getApiCallUrl());
assertEquals("http://online.yw56.com.cn/service", getTrackingsByOrderNoUrlBuilder0.getServiceUrl());
}
@Test(timeout = 4000)
public void test01() throws Throwable {
GetTrackingsByOrderNoUrlBuilder getTrackingsByOrderNoUrlBuilder0 = new GetTrackingsByOrderNoUrlBuilder();
getTrackingsByOrderNoUrlBuilder0.setUserId("");
getTrackingsByOrderNoUrlBuilder0.getUserId();
assertEquals("http://online.yw56.com.cn/service", getTrackingsByOrderNoUrlBuilder0.getServiceUrl());
assertEquals("Users/{0}/Orders/{1}/Trackings", getTrackingsByOrderNoUrlBuilder0.getApiCallUrl());
assertEquals("get", getTrackingsByOrderNoUrlBuilder0.getHttpMethod());
}
@Test(timeout = 4000)
public void test02() throws Throwable {
GetTrackingsByOrderNoUrlBuilder getTrackingsByOrderNoUrlBuilder0 = new GetTrackingsByOrderNoUrlBuilder();
assertEquals("http://online.yw56.com.cn/service", getTrackingsByOrderNoUrlBuilder0.getServiceUrl());
getTrackingsByOrderNoUrlBuilder0.setServiceUrl((String) null);
getTrackingsByOrderNoUrlBuilder0.getServiceUrl();
assertEquals("get", getTrackingsByOrderNoUrlBuilder0.getHttpMethod());
assertEquals("Users/{0}/Orders/{1}/Trackings", getTrackingsByOrderNoUrlBuilder0.getApiCallUrl());
}
@Test(timeout = 4000)
public void test03() throws Throwable {
GetTrackingsByOrderNoUrlBuilder getTrackingsByOrderNoUrlBuilder0 = new GetTrackingsByOrderNoUrlBuilder();
assertEquals("http://online.yw56.com.cn/service", getTrackingsByOrderNoUrlBuilder0.getServiceUrl());
getTrackingsByOrderNoUrlBuilder0.setServiceUrl("");
getTrackingsByOrderNoUrlBuilder0.getServiceUrl();
assertEquals("Users/{0}/Orders/{1}/Trackings", getTrackingsByOrderNoUrlBuilder0.getApiCallUrl());
}
@Test(timeout = 4000)
public void test04() throws Throwable {
GetTrackingsByOrderNoUrlBuilder getTrackingsByOrderNoUrlBuilder0 = new GetTrackingsByOrderNoUrlBuilder();
getTrackingsByOrderNoUrlBuilder0.setOrderNo("~\"%7d8q?zGp6E");
getTrackingsByOrderNoUrlBuilder0.getOrderNo();
assertEquals("http://online.yw56.com.cn/service", getTrackingsByOrderNoUrlBuilder0.getServiceUrl());
assertEquals("Users/{0}/Orders/{1}/Trackings", getTrackingsByOrderNoUrlBuilder0.getApiCallUrl());
assertEquals("get", getTrackingsByOrderNoUrlBuilder0.getHttpMethod());
}
@Test(timeout = 4000)
public void test05() throws Throwable {
GetTrackingsByOrderNoUrlBuilder getTrackingsByOrderNoUrlBuilder0 = new GetTrackingsByOrderNoUrlBuilder();
getTrackingsByOrderNoUrlBuilder0.setOrderNo("");
getTrackingsByOrderNoUrlBuilder0.getOrderNo();
assertEquals("Users/{0}/Orders/{1}/Trackings", getTrackingsByOrderNoUrlBuilder0.getApiCallUrl());
assertEquals("http://online.yw56.com.cn/service", getTrackingsByOrderNoUrlBuilder0.getServiceUrl());
assertEquals("get", getTrackingsByOrderNoUrlBuilder0.getHttpMethod());
}
@Test(timeout = 4000)
public void test06() throws Throwable {
GetTrackingsByOrderNoUrlBuilder getTrackingsByOrderNoUrlBuilder0 = new GetTrackingsByOrderNoUrlBuilder();
assertEquals("get", getTrackingsByOrderNoUrlBuilder0.getHttpMethod());
getTrackingsByOrderNoUrlBuilder0.setHttpMethod((String) null);
getTrackingsByOrderNoUrlBuilder0.getHttpMethod();
assertEquals("Users/{0}/Orders/{1}/Trackings", getTrackingsByOrderNoUrlBuilder0.getApiCallUrl());
assertEquals("http://online.yw56.com.cn/service", getTrackingsByOrderNoUrlBuilder0.getServiceUrl());
}
@Test(timeout = 4000)
public void test07() throws Throwable {
GetTrackingsByOrderNoUrlBuilder getTrackingsByOrderNoUrlBuilder0 = new GetTrackingsByOrderNoUrlBuilder();
assertEquals("get", getTrackingsByOrderNoUrlBuilder0.getHttpMethod());
getTrackingsByOrderNoUrlBuilder0.setHttpMethod("");
getTrackingsByOrderNoUrlBuilder0.getHttpMethod();
assertEquals("http://online.yw56.com.cn/service", getTrackingsByOrderNoUrlBuilder0.getServiceUrl());
}
@Test(timeout = 4000)
public void test08() throws Throwable {
GetTrackingsByOrderNoUrlBuilder getTrackingsByOrderNoUrlBuilder0 = new GetTrackingsByOrderNoUrlBuilder();
assertEquals("Users/{0}/Orders/{1}/Trackings", getTrackingsByOrderNoUrlBuilder0.getApiCallUrl());
getTrackingsByOrderNoUrlBuilder0.setApiCallUrl((String) null);
getTrackingsByOrderNoUrlBuilder0.getApiCallUrl();
assertEquals("get", getTrackingsByOrderNoUrlBuilder0.getHttpMethod());
assertEquals("http://online.yw56.com.cn/service", getTrackingsByOrderNoUrlBuilder0.getServiceUrl());
}
@Test(timeout = 4000)
public void test09() throws Throwable {
GetTrackingsByOrderNoUrlBuilder getTrackingsByOrderNoUrlBuilder0 = new GetTrackingsByOrderNoUrlBuilder();
assertEquals("Users/{0}/Orders/{1}/Trackings", getTrackingsByOrderNoUrlBuilder0.getApiCallUrl());
getTrackingsByOrderNoUrlBuilder0.setApiCallUrl("");
getTrackingsByOrderNoUrlBuilder0.getApiCallUrl();
assertEquals("get", getTrackingsByOrderNoUrlBuilder0.getHttpMethod());
}
@Test(timeout = 4000)
public void test10() throws Throwable {
GetTrackingsByOrderNoUrlBuilder getTrackingsByOrderNoUrlBuilder0 = new GetTrackingsByOrderNoUrlBuilder();
String string0 = getTrackingsByOrderNoUrlBuilder0.getApiCallUrl();
assertEquals("get", getTrackingsByOrderNoUrlBuilder0.getHttpMethod());
assertEquals("Users/{0}/Orders/{1}/Trackings", string0);
assertEquals("http://online.yw56.com.cn/service", getTrackingsByOrderNoUrlBuilder0.getServiceUrl());
}
@Test(timeout = 4000)
public void test11() throws Throwable {
GetTrackingsByOrderNoUrlBuilder getTrackingsByOrderNoUrlBuilder0 = new GetTrackingsByOrderNoUrlBuilder();
getTrackingsByOrderNoUrlBuilder0.getOrderNo();
assertEquals("http://online.yw56.com.cn/service", getTrackingsByOrderNoUrlBuilder0.getServiceUrl());
assertEquals("Users/{0}/Orders/{1}/Trackings", getTrackingsByOrderNoUrlBuilder0.getApiCallUrl());
assertEquals("get", getTrackingsByOrderNoUrlBuilder0.getHttpMethod());
}
@Test(timeout = 4000)
public void test12() throws Throwable {
GetTrackingsByOrderNoUrlBuilder getTrackingsByOrderNoUrlBuilder0 = new GetTrackingsByOrderNoUrlBuilder();
String string0 = getTrackingsByOrderNoUrlBuilder0.getServiceUrl();
assertEquals("http://online.yw56.com.cn/service", string0);
assertEquals("get", getTrackingsByOrderNoUrlBuilder0.getHttpMethod());
assertEquals("Users/{0}/Orders/{1}/Trackings", getTrackingsByOrderNoUrlBuilder0.getApiCallUrl());
}
@Test(timeout = 4000)
public void test13() throws Throwable {
GetTrackingsByOrderNoUrlBuilder getTrackingsByOrderNoUrlBuilder0 = new GetTrackingsByOrderNoUrlBuilder();
getTrackingsByOrderNoUrlBuilder0.getUserId();
assertEquals("get", getTrackingsByOrderNoUrlBuilder0.getHttpMethod());
assertEquals("http://online.yw56.com.cn/service", getTrackingsByOrderNoUrlBuilder0.getServiceUrl());
assertEquals("Users/{0}/Orders/{1}/Trackings", getTrackingsByOrderNoUrlBuilder0.getApiCallUrl());
}
@Test(timeout = 4000)
public void test14() throws Throwable {
GetTrackingsByOrderNoUrlBuilder getTrackingsByOrderNoUrlBuilder0 = new GetTrackingsByOrderNoUrlBuilder();
getTrackingsByOrderNoUrlBuilder0.build();
assertEquals("http://online.yw56.com.cn/service", getTrackingsByOrderNoUrlBuilder0.getServiceUrl());
getTrackingsByOrderNoUrlBuilder0.setServiceUrl("l$`BLcxz1TA");
getTrackingsByOrderNoUrlBuilder0.setOrderNo((String) null);
getTrackingsByOrderNoUrlBuilder0.getHttpMethod();
String string0 = getTrackingsByOrderNoUrlBuilder0.build();
assertEquals("l$`BLcxz1TA/Users/null/Orders/null/Trackings", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 20: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 GetTrackingsByOrderNoUrlBuilder_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "GetTrackingsByOrderNoUrlBuilder";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpl9lbo9g9");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(GetTrackingsByOrderNoUrlBuilder_ESTest_scaffolding.class.getClassLoader() ,
"GetTrackingsByOrderNoUrlBuilder"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(GetTrackingsByOrderNoUrlBuilder_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"GetTrackingsByOrderNoUrlBuilder"
);
}
}
| 12,157 |
Main | import java.io.BufferedReader;
import java.io.BufferedWriter;
import java.io.InputStreamReader;
import java.io.OutputStreamWriter;
import java.util.ArrayList;
public class Main {
public static int n, arr[];
public static ArrayList<Integer> lis = new ArrayList<>();
public static void main(String args[]) throws Exception {
BufferedReader in = new BufferedReader(new InputStreamReader(System.in));
BufferedWriter out = new BufferedWriter(new OutputStreamWriter(System.out));
arr = new int[n = Integer.parseInt(in.readLine())];
String line[] = in.readLine().split(" ");
for (int i = 0; i < n; i++) arr[i] = Integer.parseInt(line[i]);
out.write(getLis() + "");
out.close();
in.close();
}
private static int getLis() {
int i, size, k;
for (i = 0; i < n; i++) {
size = lis.size();
k = arr[i];
if (size == 0 || lis.get(size - 1) < k) lis.add(k);
else lis.set(lowerBound(0, size, k), k);
}
return lis.size();
}
private static int lowerBound(int front, int rear, int k) {
int mid;
while (front < rear) {
mid = (front + rear) >> 1;
if (lis.get(mid) < k) front = mid + 1;
else rear = mid;
}
return rear;
}
}
| .version 52 0
.class public super Main
.super java/lang/Object
.field public static n I
.field public static arr [I
.field public static lis Ljava/util/ArrayList; .fieldattributes
.signature Ljava/util/ArrayList<Ljava/lang/Integer;>;
.end fieldattributes
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 7
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 5 locals 5
L0: new java/io/BufferedReader
L3: dup
L4: new java/io/InputStreamReader
L7: dup
L8: getstatic Field java/lang/System in Ljava/io/InputStream;
L11: invokespecial Method java/io/InputStreamReader <init> (Ljava/io/InputStream;)V
L14: invokespecial Method java/io/BufferedReader <init> (Ljava/io/Reader;)V
L17: astore_1
L18: new java/io/BufferedWriter
L21: dup
L22: new java/io/OutputStreamWriter
L25: dup
L26: getstatic Field java/lang/System out Ljava/io/PrintStream;
L29: invokespecial Method java/io/OutputStreamWriter <init> (Ljava/io/OutputStream;)V
L32: invokespecial Method java/io/BufferedWriter <init> (Ljava/io/Writer;)V
L35: astore_2
L36: aload_1
L37: invokevirtual Method java/io/BufferedReader readLine ()Ljava/lang/String;
L40: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I
L43: dup
L44: putstatic Field Main n I
L47: newarray int
L49: putstatic Field Main arr [I
L52: aload_1
L53: invokevirtual Method java/io/BufferedReader readLine ()Ljava/lang/String;
L56: ldc ' '
L58: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String;
L61: astore_3
L62: iconst_0
L63: istore 4
.stack full
locals Object [Ljava/lang/String; Object java/io/BufferedReader Object java/io/BufferedWriter Object [Ljava/lang/String; Integer
stack
.end stack
L65: iload 4
L67: getstatic Field Main n I
L70: if_icmpge L92
L73: getstatic Field Main arr [I
L76: iload 4
L78: aload_3
L79: iload 4
L81: aaload
L82: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I
L85: iastore
L86: iinc 4 1
L89: goto L65
.stack chop 1
L92: aload_2
L93: new java/lang/StringBuilder
L96: dup
L97: invokespecial Method java/lang/StringBuilder <init> ()V
L100: invokestatic Method Main getLis ()I
L103: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L106: ldc ''
L108: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L111: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L114: invokevirtual Method java/io/BufferedWriter write (Ljava/lang/String;)V
L117: aload_2
L118: invokevirtual Method java/io/BufferedWriter close ()V
L121: aload_1
L122: invokevirtual Method java/io/BufferedReader close ()V
L125: return
L126:
.linenumbertable
L0 11
L18 12
L36 13
L52 14
L62 15
L92 16
L117 17
L121 18
L125 19
.end linenumbertable
.end code
.exceptions java/lang/Exception
.end method
.method private static getLis : ()I
.code stack 4 locals 3
L0: iconst_0
L1: istore_0
.stack append Integer
L2: iload_0
L3: getstatic Field Main n I
L6: if_icmpge L82
L9: getstatic Field Main lis Ljava/util/ArrayList;
L12: invokevirtual Method java/util/ArrayList size ()I
L15: istore_1
L16: getstatic Field Main arr [I
L19: iload_0
L20: iaload
L21: istore_2
L22: iload_1
L23: ifeq L45
L26: getstatic Field Main lis Ljava/util/ArrayList;
L29: iload_1
L30: iconst_1
L31: isub
L32: invokevirtual Method java/util/ArrayList get (I)Ljava/lang/Object;
L35: checkcast java/lang/Integer
L38: invokevirtual Method java/lang/Integer intValue ()I
L41: iload_2
L42: if_icmpge L59
.stack append Integer Integer
L45: getstatic Field Main lis Ljava/util/ArrayList;
L48: iload_2
L49: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L52: invokevirtual Method java/util/ArrayList add (Ljava/lang/Object;)Z
L55: pop
L56: goto L76
.stack same
L59: getstatic Field Main lis Ljava/util/ArrayList;
L62: iconst_0
L63: iload_1
L64: iload_2
L65: invokestatic Method Main lowerBound (III)I
L68: iload_2
L69: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L72: invokevirtual Method java/util/ArrayList set (ILjava/lang/Object;)Ljava/lang/Object;
L75: pop
.stack same
L76: iinc 0 1
L79: goto L2
.stack chop 2
L82: getstatic Field Main lis Ljava/util/ArrayList;
L85: invokevirtual Method java/util/ArrayList size ()I
L88: ireturn
L89:
.linenumbertable
L0 23
L9 24
L22 25
L59 26
L76 23
L82 28
.end linenumbertable
.end code
.end method
.method private static lowerBound : (III)I
.code stack 2 locals 4
.stack same
L0: iload_0
L1: iload_1
L2: if_icmpge L40
L5: iload_0
L6: iload_1
L7: iadd
L8: iconst_1
L9: ishr
L10: istore_3
L11: getstatic Field Main lis Ljava/util/ArrayList;
L14: iload_3
L15: invokevirtual Method java/util/ArrayList get (I)Ljava/lang/Object;
L18: checkcast java/lang/Integer
L21: invokevirtual Method java/lang/Integer intValue ()I
L24: iload_2
L25: if_icmpge L35
L28: iload_3
L29: iconst_1
L30: iadd
L31: istore_0
L32: goto L0
.stack append Integer
L35: iload_3
L36: istore_1
L37: goto L0
.stack chop 1
L40: iload_1
L41: ireturn
L42:
.linenumbertable
L0 33
L5 34
L11 35
L35 36
L40 38
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 2 locals 0
L0: new java/util/ArrayList
L3: dup
L4: invokespecial Method java/util/ArrayList <init> ()V
L7: putstatic Field Main lis Ljava/util/ArrayList;
L10: return
L11:
.linenumbertable
L0 9
.end linenumbertable
.end code
.end method
.sourcefile 'Main.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 16:28:09 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.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 {
SystemInUtil.addInputLine("2");
String[] stringArray0 = new String[4];
SystemInUtil.addInputLine("2");
try {
Main.main(stringArray0);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 1
//
verifyException("Main", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Main main0 = new Main();
assertEquals(0, Main.n);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 16:28:09 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class 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/tmpqnjq3o2o");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.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"
);
}
}
| 12,158 |
Counter | import java.util.ArrayList;
/** Created by E. Mozharovsky on 01.06.14. */
public class Counter {
public static int checkIterationOfSameChars(ArrayList array, String character) {
int count = 0;
for (Object a : array) {
if (a.toString().equals(character)) {
count += 1;
}
}
return count;
}
}
| .version 52 0
.class public super Counter
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 8
.end linenumbertable
.end code
.end method
.method public static checkIterationOfSameChars : (Ljava/util/ArrayList;Ljava/lang/String;)I
.code stack 2 locals 5
L0: iconst_0
L1: istore_2
L2: aload_0
L3: invokevirtual Method java/util/ArrayList iterator ()Ljava/util/Iterator;
L6: astore_3
.stack append Integer Object java/util/Iterator
L7: aload_3
L8: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1
L13: ifeq L42
L16: aload_3
L17: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1
L22: astore 4
L24: aload 4
L26: invokevirtual Method java/lang/Object toString ()Ljava/lang/String;
L29: aload_1
L30: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L33: ifeq L39
L36: iinc 2 1
.stack same
L39: goto L7
.stack chop 1
L42: iload_2
L43: ireturn
L44:
.linenumbertable
L0 10
L2 12
L24 13
L36 14
L39 16
L42 18
.end linenumbertable
.end code
.end method
.sourcefile 'Counter.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 02:58:18 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.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Counter_ESTest extends Counter_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ArrayList<Object> arrayList0 = new ArrayList<Object>();
Object object0 = new Object();
arrayList0.add(object0);
Object object1 = new Object();
arrayList0.add(object1);
int int0 = Counter.checkIterationOfSameChars(arrayList0, "java.lang.Object@0000000001");
assertEquals(1, int0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
ArrayList<Object> arrayList0 = new ArrayList<Object>();
int int0 = Counter.checkIterationOfSameChars(arrayList0, "java.lang.Object@0000000001");
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Counter counter0 = new Counter();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 02:58:18 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Counter_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Counter";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp7itxoke4");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Counter_ESTest_scaffolding.class.getClassLoader() ,
"Counter"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Counter_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Counter"
);
}
}
| 12,159 |
RuntimeSocketTimeoutException | import java.net.SocketTimeoutException;
/** A runtime wrapper around an <code>SocketTimeoutException</code>. */
public class RuntimeSocketTimeoutException extends RuntimeException {
private static final long serialVersionUID = -8247391625942462601L;
/**
* Constructs a new runtime wrapper for a <code>SocketTimeoutException</code>.
*
* @param original The original <code>SocketTimeoutException</code> to wrap.
*/
public RuntimeSocketTimeoutException(final SocketTimeoutException original) {
super(original);
}
/**
* Constructs a new runtime wrapper for a <code>SocketTimeoutException</code>.
*
* @param message The message to display with the exception.
* @param original The original <code>SocketTimeoutException</code> to wrap.
*/
public RuntimeSocketTimeoutException(
final String message, final SocketTimeoutException original) {
super(message, original);
}
/**
* Creates a new {@link RuntimeSocketTimeoutException} with the specified message and no cause.
*
* @param message The message.
*/
public RuntimeSocketTimeoutException(final String message) {
super(message);
}
}
| .version 52 0
.class public super RuntimeSocketTimeoutException
.super java/lang/RuntimeException
.field private static final serialVersionUID J = -8247391625942462601L
.method public <init> : (Ljava/net/SocketTimeoutException;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/Throwable;)V
L5: return
L6:
.linenumbertable
L0 21
L5 22
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;Ljava/net/SocketTimeoutException;)V
.code stack 3 locals 3
L0: aload_0
L1: aload_1
L2: aload_2
L3: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;Ljava/lang/Throwable;)V
L6: return
L7:
.linenumbertable
L0 34
L6 35
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V
L5: return
L6:
.linenumbertable
L0 45
L5 46
.end linenumbertable
.end code
.end method
.sourcefile 'RuntimeSocketTimeoutException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 15:34:21 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.net.SocketTimeoutException;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class RuntimeSocketTimeoutException_ESTest extends RuntimeSocketTimeoutException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
SocketTimeoutException socketTimeoutException0 = new SocketTimeoutException();
RuntimeSocketTimeoutException runtimeSocketTimeoutException0 = new RuntimeSocketTimeoutException(socketTimeoutException0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
RuntimeSocketTimeoutException runtimeSocketTimeoutException0 = new RuntimeSocketTimeoutException("");
}
@Test(timeout = 4000)
public void test2() throws Throwable {
SocketTimeoutException socketTimeoutException0 = new SocketTimeoutException();
RuntimeSocketTimeoutException runtimeSocketTimeoutException0 = new RuntimeSocketTimeoutException("", socketTimeoutException0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 15:34: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 RuntimeSocketTimeoutException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "RuntimeSocketTimeoutException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpc404ob67");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(RuntimeSocketTimeoutException_ESTest_scaffolding.class.getClassLoader() ,
"RuntimeSocketTimeoutException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RuntimeSocketTimeoutException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"RuntimeSocketTimeoutException"
);
}
}
| 12,160 |
DescriptorExceptionResource | /*******************************************************************************
* Copyright (c) 1998, 2015 Oracle, IBM Corporation and/or its affiliates. All rights reserved.
* This program and the accompanying materials are made available under the
* terms of the Eclipse Public License v1.0 and Eclipse Distribution License v. 1.0
* which accompanies this distribution.
* The Eclipse Public License is available at http://www.eclipse.org/legal/epl-v10.html
* and the Eclipse Distribution License is available at
* http://www.eclipse.org/org/documents/edl-v10.php.
*
* Contributors:
* Oracle - initial API and implementation from Oracle TopLink
* 10/15/2010-2.2 Guy Pelletier
* - 322008: Improve usability of additional criteria applied to queries at the session/EM
* 09/24/2014-2.6 Rick Curtis
* - 443762 : Misc message cleanup.
******************************************************************************/
import java.util.ListResourceBundle;
/**
* INTERNAL: English ResourceBundle for DescriptorException messages.
*
* <p>Creation date: (12/8/00 4:47:38 PM)
*
* @author: Rick Barkhouse
*/
public class DescriptorExceptionResource extends ListResourceBundle {
static final Object[][] contents = {
{
"1",
"The attribute [{0}] is not declared as type ValueHolderInterface, but its mapping uses"
+ " indirection."
},
{
"2",
"The attribute [{0}] is declared as type ValueHolderInterface, but its mapping does not use"
+ " indirection."
},
{"6", "Attribute name is missing."},
{"7", "The attribute [{0}] should be a type that implements {1}."},
{
"8",
"The descriptor [{0}] has been set to use inheritance, but a class indicator field has not"
+ " been defined. {2}When using inheritance, a class indicator field or class extraction"
+ " method must be set. {2}Parent Descriptor: [{1}]"
},
{"9", "This mapping does not have a direct field name set."},
{"10", "This mapping does not have a field name set."},
{"11", "The foreign key information for this mapping is defined incorrectly."},
{
"12",
"Descriptors must use an identity map in order to use the \"Check Cache\" existence checking"
+ " option."
},
{"13", "The instance variable [{0}] in the object [{1}] is inaccessible."},
{"14", "Problem in cloning the object [{0}]. The clone method [{1}] is not accessible."},
{"15", "This class does not define a default constructor, which EclipseLink requires."},
{
"16",
"The descriptor callback method [{0}], with parameter (DescriptorEvent), is inaccessible."
},
{
"17",
"Trying to access the method [{0}] on the object [{1}]. The underlying method is"
+ " inaccessible."
},
{"18", "Illegal method access in a Transformation mapping using a ValueHolder."},
{
"19",
"Illegal access while invoking the attribute method on a Transformation mapping. The"
+ " underlying method is inaccessible."
},
{"20", "The method [{0}] is inaccessible."},
{
"21",
"Problem in extracting class from row [{0}]. The static method [{1}], with parameter"
+ " (DatabaseRow), is not accessible."
},
{"22", "Problem in creating new instance. The creation method [{0}] is not accessible."},
{"23", "The descriptor callback method [{0}], with parameter (Session), is inaccessible."},
{"24", "The instance variable [{0}] in the object [{1}] is inaccessible. {3}Argument: [{2}]"},
{"25", "The method [{0}] with argument [{1}] is not accessible."},
{
"26",
"Trying to get value for instance variable [{0}] of type [{1}] from the object [{2}]. The"
+ " specified object is not an instance of the class or interface declaring the"
+ " underlying field."
},
{
"27",
"Trying to invoke the method [{0}] on the object [{1}]. The number of actual and formal"
+ " parameters differs, or an unwrapping conversion has failed."
},
{
"28", "Illegal argument while instantiating a method-based proxy in a Transformation mapping."
},
{
"29",
"The number of actual and formal parameters differs, or an unwrapping conversion has failed."
},
{
"30",
"The number of actual and formal parameters differs for method [{0}], or an unwrapping"
+ " conversion has failed."
},
{
"31",
"The number of actual and formal parameters for the descriptor callback method [{0}] differs,"
+ " or an unwrapping conversion has failed."
},
{
"32",
"Trying to set value [{0}] for instance variable [{1}] of type [{2}] in the object. The"
+ " specified object is not an instance of the class or interface declaring the"
+ " underlying field, or an unwrapping conversion has failed."
},
{
"33",
"Trying to invoke [{0}] on the object with the value [{1}]. The number of actual and formal"
+ " parameters differs, or an unwrapping conversion has failed."
},
{
"34",
"This class does not define a public default constructor, or the constructor raised an"
+ " exception."
},
{"35", "Invalid event."},
{"36", "Invalid event code [{0}]."},
{"37", "Invalid descriptor event code [{0}]."},
{"38", "Identity map constructor failed because an invalid identity map was specified."},
{"39", "This descriptor does not specify a Java class."},
{"40", "Descriptor is missing for [{0}]. It was probably not added to the Session."},
{"41", "A non-read-only mapping must be defined for the sequence number field."},
{"43", "Missing class for indicator field value [{0}] of type [{1}]."},
{"44", "Missing class indicator field from database row [{0}]."},
{"45", "Missing mapping for field [{0}]."},
{"46", "There should be one non-read-only mapping defined for the primary key field [{0}]."},
{
"47",
"The multiple table primary key mapping must be specified when a custom multiple table join"
+ " is used."
},
{
"48",
"Multiple writable mappings exist for the field [{0}]. Only one may be defined as writable,"
+ " all others must be specified read-only."
},
{"49", "An attribute transformation method name is not specified for this mapping."},
{"50", "A field name is not set for this mapping."},
{"51", "No foreign keys have been specified for this mapping."},
{"52", "No reference key has been specified for this mapping."},
{"53", "The relation table name is not set for this mapping."},
{"54", "There are no source relation keys specified for this mapping."},
{
"55",
"The descriptor callback method [{0}] cannot be found. It must take a Session or a"
+ " DescriptorEvent as its argument."
},
{"56", "The method [{0}] with parameters (Record) or (Record, Session) is not found."},
{"57", "Inaccessible constructor."},
{"58", "The method [{0}] with parameters () or (Session) not found."},
{
"59",
"The instance variable [{0}] is not defined in the domain class [{1}], or it is not"
+ " accessible."
},
{"60", "The method [{0}] or [{1}] is not defined in the object [{2}]."},
{
"61",
"The static class extraction method [{0}], with parameter (Record), does not exist, or is not"
+ " accessible."
},
{"62", "The clone method [{0}], with no parameters, does not exist, or is not accessible."},
{
"63",
"The instance creation method [{0}], with no parameters, does not exist, or is not"
+ " accessible."
},
{"64", "No target foreign keys have been specified for this mapping."},
{"65", "No target relation keys have been specified for this mapping."},
{"66", "Could not deserialize object from byte array."},
{"67", "Could not serialize object into byte array."},
{
"68",
"The value of an aggregate in object [{0}] is null. Null values not allowed for Aggregate"
+ " mappings unless \"Allow Null\" is specified."
},
{
"69",
"A NullPointerException was thrown while extracting a value from the instance variable [{0}]"
+ " in the object [{1}]."
},
{
"70",
"A NullPointerException was thrown while extracting a value through the method [{0}] in the"
+ " object [{1}]."
},
{
"71",
"A NullPointerException was thrown while setting the value of the instance variable [{0}] to"
+ " the value [{1}]."
},
{
"72",
"A NullPointerException was thrown while setting a value through the method [{0}] with"
+ " argument [{1}]."
},
{"73", "Cannot find descriptor for parent class [{0}]."},
{"74", "The primary key fields are not set for this descriptor."},
{"75", "The reference class is not specified for this descriptor."},
{"77", "The reference descriptor for [{0}] should be set to be an Aggregate descriptor."},
{"78", "The reference field [{0}] for this mapping must exist in the reference table."},
{"79", "The reference table is not specified for this mapping."},
{"80", "The relation key field [{0}] for this mapping must exist in the relation table."},
{"81", "The method [{0}] should return the type of the mapped attribute, not void."},
{
"82",
"The descriptor callback method [{0}], with parameter (DescriptorEvent), is not accessible."
},
{"83", "The descriptor callback method [{0}], with parameter (Session), is not accessible."},
{"84", "The method [{0}], with parameters (Record) or (Record, Session), is not accessible."},
{"85", "The method [{0}], with parameters () or (Session), is not accessible."},
{"86", "The instance variable [{0}] in the class [{1}] is not accessible."},
{"87", "The methods [{0}], [{1}] in the object [{2}] are not accessible"},
{"88", "The static class extraction method [{0}], with parameter (Record), is not accessible."},
{"89", "The clone method [{0}], with no parameters, is not accessible."},
{"90", "The instance creation method [{0}], with no parameters, is not accessible."},
{
"91",
"To use sequence-generated IDs, both the \"Sequence Number Name\" and \"Sequence Number Field"
+ " Name\" properties must be set for this descriptor."
},
{"92", "The size of the target''s primary key does not match the size of the foreign key."},
{"93", "The table [{0}] is not present in this descriptor."},
{"94", "Descriptors must have a table name defined."},
{"96", "The number of target keys does not match the number of source keys."},
{"97", "Problem cloning the object [{0}]. The clone method [{1}] triggered an exception."},
{
"98",
"The underlying descriptor callback method [{0}], with parameter (DescriptorEvent), triggered"
+ " an exception."
},
{"99", "The method [{0}] on the object [{1}] triggered an exception."},
{"100", "A method has triggered an exception."},
{"101", "The underlying method triggered an exception."},
{"102", "The method [{0}] triggered an exception."},
{
"103",
"Problem in extracting class from row [{0}], using static method [{1}], with parameter"
+ " (DatabaseRow). An exception was triggered."
},
{
"104",
"Problem in creating new instance using creation method [{0}]. The creation method triggered"
+ " an exception."
},
{
"105",
"The underlying descriptor callback method [{0}], with parameter (Session), triggered an"
+ " exception."
},
{"106", "The method [{0}] on the object is throwing an exception. {2}Argument: [{1}]"},
{"108", "Cannot find value in class indicator mapping in parent descriptor [{0}]."},
{
"109",
"This descriptor should not have a write lock field defined because it is a child descriptor."
+ " It inherits its parent descriptor''s write lock field."
},
{"110", "Descriptor is missing for class [{0}]."},
{"111", "Multiple table primary key field names must be fully qualified."},
{
"112",
"Only one table can be added by using setTableName(String). Use addTableName(String) to add"
+ " multiple tables to a descriptor."
},
{"113", "The constructor was inaccessible."},
{
"114",
"Problem in creating new instance using creation method [{0}]. The creation method is not"
+ " accessible."
},
{"115", "No conversion value provided for the attribute [{0}]."},
{"116", "No conversion value provided for the value [{0}] in field [{1}]."},
{"118", "The object [{0}] must not have read-only mappings to its write lock fields."},
{"119", "The object''s [{0}] mappings to its write lock fields must be read-only."},
{
"120",
"The query key [{0}] is defined in the parent descriptor [{1}], but not in the child"
+ " descriptor [{2}]."
},
{"122", "setExistenceCheck() with argument [{0}] is not understood."},
{
"125",
"The mapping for the attribute [{0}] uses indirection, and so must be initialized to a new"
+ " ValueHolder. Currently the value is: [{1}]."
},
{"126", "No subclass matches this class [{0}] for this Aggregate mapping with inheritance."},
{
"127",
"The get method for the attribute [{0}] does not return a ValueHolderInterface, but the"
+ " mapping uses indirection."
},
{
"128",
"The get method for the attribute [{0}] returns a ValueHolderInterface, but the mapping does"
+ " not use indirection."
},
{
"129",
"The set method for the attribute [{0}] does not take a ValueHolderInterface as its"
+ " parameter, but the mapping uses indirection."
},
{
"130",
"The set method for the attribute [{0}] takes a ValueHolderInterface as its parameter, but"
+ " the mapping does not use indirection."
},
{
"131",
"The get method for the attribute [{0}] should return a Vector (or a type that implements Map"
+ " or Collection, if using Java 2)."
},
{
"133",
"The set method for the attribute [{0}] should take a Vector as its parameter (or a type that"
+ " implements Map or Collection, if using Java 2)."
},
{"135", "The multiple table foreign key relationship refers to an unknown table [{0}]."},
{
"138",
"The attribute [{0}] is of type [{1}] but the mapping uses transparent indirection (lazy"
+ " loading), requiring it to be a superclass of [{2}]."
},
{
"139",
"The get method for the attribute [{0}] returns [{1}] but the mapping uses transparent"
+ " indirection (lazy loading), requiring it to be a superclass of [{2}]."
},
{
"140",
"The set method for the attribute [{0}] takes [{1}] but the mapping uses transparent"
+ " indirection (lazy loading), requiring it to be a superclass of [{2}]."
},
{"141", "The field [{0}] is not present in the table [{1}] in the database."},
{"142", "The table [{0}] is not present in the database."},
{
"143",
"The multiple table insert order Vector specified, [{0}], has more or fewer tables than are"
+ " specified in the descriptor. {2}All of the tables [{1}] must be included in the"
+ " insert order Vector."
},
{"144", "Transparent indirection can only be used with CollectionMappings."},
{
"145",
"The indirect container class [{0}] must implement the constructor [{1}] with parameter"
+ " (ValueHolderInterface)."
},
{
"146",
"The indirect container class [{0}] could not be instantiated using the constructor"
+ " {1}(ValueHolderInterface)."
},
{
"147",
"The container policy [{0}] should only be used in JDK 1.1.x. It was instantiated for [{1}]."
},
{"148", "The container policy [{0}] is not compatible with transparent indirection."},
{"149", "NoIndirectionPolicy objects should not receive this message."},
{
"150",
"The mapping for the attribute [{0}] uses transparent indirection so the attribute [{0}] must"
+ " be initialized to an appropriate container. Currently the value is [{1}]. {2} - "
+ " Must be instance of an implementor of Collection or Map."
},
{"151", "The operation [{0}] is invalid for this mapping."},
{"152", "The operation [{1}] is invalid for this indirection policy [{0}]."},
{
"153",
"The reference descriptor for [{0}] should be set to be an Aggregate Collection descriptor."
},
{"154", "The indirection container class [{0}] does not implement IndirectContainer."},
{
"155",
"This mapping does not include a foreign key field linked to the primary key field [{0}]."
},
{"156", "The structure name is not set for this mapping."},
{"157", "Normal descriptors do not support non-relational extensions."},
{"158", "This descriptor''s parent class has been set to itself."},
{"159", "Proxy indirection is available only in JDK 1.3-compliant or higher virtual machines."},
{
"160",
"The attribute [{0}] of class [{1}] is typed as [{2}], which was not specified in the list of"
+ " interfaces given to the useProxyIndirection() method. {4}Valid interfaces are: [{3}]."
},
{
"161",
"The method [{0}] in class [{1}] returns a value of type [{2}], which was not specified in"
+ " the list of interfaces given to the useProxyIndirection() method. {4}Valid interfaces"
+ " are: [{3}]."
},
{
"162",
"The method [{0}] in class [{1}] takes a parameter of type [{2}], which was not specified in"
+ " the list of interfaces given to the useProxyIndirection() method.{4}Valid interfaces"
+ " are: [{3}]."
},
{
"163",
"This mapping''s attribute class does not match the collection class. [{1}] cannot be"
+ " assigned to [{0}]."
},
{
"164",
"The amendment method [{1}], in amendment class [{0}], is invalid, not public, or cannot be"
+ " found. {2}Descriptor amendment methods must be declared \"public static void\" with"
+ " (ClassDescriptor) as the single parameter."
},
{
"165",
"This descriptor''s amendment method [{1}] in amendment class [{0}] triggered an exception."
},
{"166", "There is no mapping for the attribute [{0}]."},
{"167", "A valid constructor was not found for the indirection container class [{0}]."},
{
"168",
"Problem in creating new instance using the default constructor. The default constructor"
+ " triggered an exception."
},
{
"169",
"Problem in creating new instance of factory using the default constructor. The default"
+ " constructor triggered an exception."
},
{
"170",
"Problem (illegal access) in creating new instance of factory using the default constructor."
},
{
"171",
"The factory class does not define a public default constructor, or the constructor raised an"
+ " exception."
},
{"172", "Factory constructor not found."},
{"173", "The factory constructor was inaccessible."},
{"174", "Problem in creating factory. The creation method [{0}] is not accessible."},
{
"175",
"Problem creating factory using creation method [{0}]. The creation method triggered an"
+ " exception."
},
{
"176",
"Problem in creating factory using creation method [{0}]. The creation method is not"
+ " accessible."
},
{"177", "Mapping is missing for the attribute: [{0}]."},
{
"178",
"Cannot find mapping for attribute [{0}] in entity bean [{1}]. The attribute must mapped."
},
{
"179",
"The attribute, [{0}] uses Bidirectional Relationship Maintenance, but has ContainerPolicy,"
+ " [{1}] which does not support it. The attribute should be mapped with a different"
+ " collection type."
},
{"181", "The AttributeTransformer class, [{0}] cannot be found."},
{"182", "The FieldTransformer class, [{0}] cannot be found."},
{"183", "The class, [{0}] cannot be used as an AttributeTransformer."},
{"184", "The class, [{0}] cannot be used as a FieldTransformer."},
{"185", "ReturningPolicy contains field, [{0}] with two different types: [{1}] and [{2}]."},
{
"186",
"ReturningPolicy contains field, [{0}] added twice: using addInsertField and"
+ " addInsertFieldReturnOnly."
},
{
"187",
"ReturningPolicy contains field, [{0}] with type [{1}], but the same field in descriptor has"
+ " type [{2}]."
},
{"188", "ReturningPolicy contains unmapped field, [{0}] which requires type."},
{"189", "ReturningPolicy contains mapped field, [{0}] which requires type."},
{
"190",
"ReturningPolicy contains field, [{0}] mapped with [{1}] mapping which is not supported."
},
{
"191",
"ReturningPolicy contains field, [{0}] which is not supported: it is either sequence field,"
+ " or class type indicator, or used for locking."
},
{"192", "ReturningPolicy contains field, [{0}] but custom [{1}] does not output it."},
{
"193",
"There is no custom [{0}] set, but ReturningPolicy contains field(s) to be returned and [{1}]"
+ " does not support generating call with returning."
},
{
"194",
"The class extraction method [{0}], must be a static method on the descriptor''s class."
},
{"195", "The shared class {1} must not reference the isolated class {0}."},
{
"196",
"UpdateAllFields has not been set or has been set to false. When using"
+ " CMPPolicy.setForceUpdate(true) you must also call CMPPolicy.setUpdateAllFields(true)"
},
{"197", "The mapping [{0}] is not the appropriate type for this descriptor"},
{
"198",
"In order to use ObjectChangeTrackingPolicy or AttributeChangeTrackingPolicy, {0} has to"
+ " implement ChangeTracker interface."
},
{
"199",
"In order to use Fetch Group, the domain class ({0}) has to implement FetchGroupTracker"
+ " interface."
},
{
"200",
"Attempt to register an object with dead indirection as a new object. Possibly the object"
+ " was deleted or removed from the cache during a merge of a serialized clone. This is"
+ " a concurrency violation, consider a locking strategy."
},
{
"201",
"An object was attempted to be built in the session cache, but the descriptor is marked as"
+ " isolated in the unit of work, so should never be accessed outside of a unit of work."
},
{"202", "An internal error occurred accessing the primary key object [{0}]."},
{"203", "An internal error occurred while accessing method [{1}] on class [{0}]."},
{
"204",
"Insert table order contradicts to multiple tables foreign keys - according to the latter"
+ " table [{0}] shouild be inserted before table [{1}]."
},
{"205", "Insert table order has cyclical dependency between tables [{0}] and [{1}]."},
{"206", "Insert table order has cyclical dependency between three or more tables."},
{
"207",
"Insert table order is wrong: table [{0}] mapped to parent is specified to be inserted after"
+ " table [{1}] mapped to child."
},
{
"208",
"You are trying to set a Converter with class name [{1}] on a non-direct-mapping [{0}]. Only"
+ " Direct Mappings are allowed to have converters. This usually happens when trying to"
+ " set a key converter on a DirectMapMapping with a non-direct key."
},
{"209", "This descriptor contains a mapping with a DirectMapMapping and no key field set."},
{"210", "[{0}] has list order field set, but attribute does not implement List."},
{
"211",
"[{0}] has list order field set and list order field validation mode is CORRECTION, that"
+ " requires IndirectList to be assignable to the attribute."
},
{"212", "List order field specified for [{0}] has a wrong table [{1}]. Must use {2} instead."},
{
"213",
"{0} requires all target foreign key fields to belong to the same table, but several were"
+ " found: {1}."
},
{
"214",
"{0} specifies relation table, that is not compatible with addForeignKey(Name) method, or use"
+ " addSourceRelationKeyField(Name) and addTargetRelationKeyFieldName methods instead."
},
{"215", "{0} must have non-null RelationTableMechanism."},
{"216", "CacheKeyType cannot be ID_VALUE for a composite primary key.."},
{
"217",
"Invalid XPath for XMLDirectMapping/XMLCompositeDirectCollectionMapping. XPath must either"
+ " contain an @ symbol for attributes or end in /text() for text nodes. For example:"
+ " \"@name\" or \"name/text()\""
},
// 323148
{
"218",
"A NullPointerException would have occurred accessing a non-existent weaved _vh_ method"
+ " [{0}]. The class was not weaved properly - for EE deployments, check the module"
+ " order in the application.xml deployment descriptor and verify that the module"
+ " containing the persistence unit is ahead of any other module that uses it."
},
{
"219",
"The additional criteria from [{1}] is not allowed within an inheritance hierarchy using"
+ " views."
},
{"220", "Missing partitioning policy for name [{0}]."},
{"221", "SerializedObjectPolicy field is not set."},
{"222", "An exception was thrown when trying to get a primary key class instance."}
};
/** Return the lookup table. */
protected Object[][] getContents() {
return contents;
}
}
| .version 52 0
.class public super DescriptorExceptionResource
.super java/util/ListResourceBundle
.field static final contents [[Ljava/lang/Object;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/util/ListResourceBundle <init> ()V
L4: return
L5:
.linenumbertable
L0 28
.end linenumbertable
.end code
.end method
.method protected getContents : ()[[Ljava/lang/Object;
.code stack 1 locals 1
L0: getstatic Field DescriptorExceptionResource contents [[Ljava/lang/Object;
L3: areturn
L4:
.linenumbertable
L0 246
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 7 locals 0
L0: sipush 206
L3: anewarray [Ljava/lang/Object;
L6: dup
L7: iconst_0
L8: iconst_2
L9: anewarray java/lang/Object
L12: dup
L13: iconst_0
L14: ldc '1'
L16: aastore
L17: dup
L18: iconst_1
L19: ldc 'The attribute [{0}] is not declared as type ValueHolderInterface, but its mapping uses indirection.'
L21: aastore
L22: aastore
L23: dup
L24: iconst_1
L25: iconst_2
L26: anewarray java/lang/Object
L29: dup
L30: iconst_0
L31: ldc '2'
L33: aastore
L34: dup
L35: iconst_1
L36: ldc 'The attribute [{0}] is declared as type ValueHolderInterface, but its mapping does not use indirection.'
L38: aastore
L39: aastore
L40: dup
L41: iconst_2
L42: iconst_2
L43: anewarray java/lang/Object
L46: dup
L47: iconst_0
L48: ldc '6'
L50: aastore
L51: dup
L52: iconst_1
L53: ldc 'Attribute name is missing.'
L55: aastore
L56: aastore
L57: dup
L58: iconst_3
L59: iconst_2
L60: anewarray java/lang/Object
L63: dup
L64: iconst_0
L65: ldc '7'
L67: aastore
L68: dup
L69: iconst_1
L70: ldc 'The attribute [{0}] should be a type that implements {1}.'
L72: aastore
L73: aastore
L74: dup
L75: iconst_4
L76: iconst_2
L77: anewarray java/lang/Object
L80: dup
L81: iconst_0
L82: ldc '8'
L84: aastore
L85: dup
L86: iconst_1
L87: ldc 'The descriptor [{0}] has been set to use inheritance, but a class indicator field has not been defined. {2}When using inheritance, a class indicator field or class extraction method must be set. {2}Parent Descriptor: [{1}]'
L89: aastore
L90: aastore
L91: dup
L92: iconst_5
L93: iconst_2
L94: anewarray java/lang/Object
L97: dup
L98: iconst_0
L99: ldc '9'
L101: aastore
L102: dup
L103: iconst_1
L104: ldc 'This mapping does not have a direct field name set.'
L106: aastore
L107: aastore
L108: dup
L109: bipush 6
L111: iconst_2
L112: anewarray java/lang/Object
L115: dup
L116: iconst_0
L117: ldc '10'
L119: aastore
L120: dup
L121: iconst_1
L122: ldc 'This mapping does not have a field name set.'
L124: aastore
L125: aastore
L126: dup
L127: bipush 7
L129: iconst_2
L130: anewarray java/lang/Object
L133: dup
L134: iconst_0
L135: ldc '11'
L137: aastore
L138: dup
L139: iconst_1
L140: ldc 'The foreign key information for this mapping is defined incorrectly.'
L142: aastore
L143: aastore
L144: dup
L145: bipush 8
L147: iconst_2
L148: anewarray java/lang/Object
L151: dup
L152: iconst_0
L153: ldc '12'
L155: aastore
L156: dup
L157: iconst_1
L158: ldc 'Descriptors must use an identity map in order to use the "Check Cache" existence checking option.'
L160: aastore
L161: aastore
L162: dup
L163: bipush 9
L165: iconst_2
L166: anewarray java/lang/Object
L169: dup
L170: iconst_0
L171: ldc '13'
L173: aastore
L174: dup
L175: iconst_1
L176: ldc 'The instance variable [{0}] in the object [{1}] is inaccessible.'
L178: aastore
L179: aastore
L180: dup
L181: bipush 10
L183: iconst_2
L184: anewarray java/lang/Object
L187: dup
L188: iconst_0
L189: ldc '14'
L191: aastore
L192: dup
L193: iconst_1
L194: ldc 'Problem in cloning the object [{0}]. The clone method [{1}] is not accessible.'
L196: aastore
L197: aastore
L198: dup
L199: bipush 11
L201: iconst_2
L202: anewarray java/lang/Object
L205: dup
L206: iconst_0
L207: ldc '15'
L209: aastore
L210: dup
L211: iconst_1
L212: ldc 'This class does not define a default constructor, which EclipseLink requires.'
L214: aastore
L215: aastore
L216: dup
L217: bipush 12
L219: iconst_2
L220: anewarray java/lang/Object
L223: dup
L224: iconst_0
L225: ldc '16'
L227: aastore
L228: dup
L229: iconst_1
L230: ldc 'The descriptor callback method [{0}], with parameter (DescriptorEvent), is inaccessible.'
L232: aastore
L233: aastore
L234: dup
L235: bipush 13
L237: iconst_2
L238: anewarray java/lang/Object
L241: dup
L242: iconst_0
L243: ldc '17'
L245: aastore
L246: dup
L247: iconst_1
L248: ldc 'Trying to access the method [{0}] on the object [{1}]. The underlying method is inaccessible.'
L250: aastore
L251: aastore
L252: dup
L253: bipush 14
L255: iconst_2
L256: anewarray java/lang/Object
L259: dup
L260: iconst_0
L261: ldc '18'
L263: aastore
L264: dup
L265: iconst_1
L266: ldc 'Illegal method access in a Transformation mapping using a ValueHolder.'
L268: aastore
L269: aastore
L270: dup
L271: bipush 15
L273: iconst_2
L274: anewarray java/lang/Object
L277: dup
L278: iconst_0
L279: ldc '19'
L281: aastore
L282: dup
L283: iconst_1
L284: ldc 'Illegal access while invoking the attribute method on a Transformation mapping. The underlying method is inaccessible.'
L286: aastore
L287: aastore
L288: dup
L289: bipush 16
L291: iconst_2
L292: anewarray java/lang/Object
L295: dup
L296: iconst_0
L297: ldc '20'
L299: aastore
L300: dup
L301: iconst_1
L302: ldc 'The method [{0}] is inaccessible.'
L304: aastore
L305: aastore
L306: dup
L307: bipush 17
L309: iconst_2
L310: anewarray java/lang/Object
L313: dup
L314: iconst_0
L315: ldc '21'
L317: aastore
L318: dup
L319: iconst_1
L320: ldc 'Problem in extracting class from row [{0}]. The static method [{1}], with parameter (DatabaseRow), is not accessible.'
L322: aastore
L323: aastore
L324: dup
L325: bipush 18
L327: iconst_2
L328: anewarray java/lang/Object
L331: dup
L332: iconst_0
L333: ldc '22'
L335: aastore
L336: dup
L337: iconst_1
L338: ldc 'Problem in creating new instance. The creation method [{0}] is not accessible.'
L340: aastore
L341: aastore
L342: dup
L343: bipush 19
L345: iconst_2
L346: anewarray java/lang/Object
L349: dup
L350: iconst_0
L351: ldc '23'
L353: aastore
L354: dup
L355: iconst_1
L356: ldc 'The descriptor callback method [{0}], with parameter (Session), is inaccessible.'
L358: aastore
L359: aastore
L360: dup
L361: bipush 20
L363: iconst_2
L364: anewarray java/lang/Object
L367: dup
L368: iconst_0
L369: ldc '24'
L371: aastore
L372: dup
L373: iconst_1
L374: ldc 'The instance variable [{0}] in the object [{1}] is inaccessible. {3}Argument: [{2}]'
L376: aastore
L377: aastore
L378: dup
L379: bipush 21
L381: iconst_2
L382: anewarray java/lang/Object
L385: dup
L386: iconst_0
L387: ldc '25'
L389: aastore
L390: dup
L391: iconst_1
L392: ldc 'The method [{0}] with argument [{1}] is not accessible.'
L394: aastore
L395: aastore
L396: dup
L397: bipush 22
L399: iconst_2
L400: anewarray java/lang/Object
L403: dup
L404: iconst_0
L405: ldc '26'
L407: aastore
L408: dup
L409: iconst_1
L410: ldc 'Trying to get value for instance variable [{0}] of type [{1}] from the object [{2}]. The specified object is not an instance of the class or interface declaring the underlying field.'
L412: aastore
L413: aastore
L414: dup
L415: bipush 23
L417: iconst_2
L418: anewarray java/lang/Object
L421: dup
L422: iconst_0
L423: ldc '27'
L425: aastore
L426: dup
L427: iconst_1
L428: ldc 'Trying to invoke the method [{0}] on the object [{1}]. The number of actual and formal parameters differs, or an unwrapping conversion has failed.'
L430: aastore
L431: aastore
L432: dup
L433: bipush 24
L435: iconst_2
L436: anewarray java/lang/Object
L439: dup
L440: iconst_0
L441: ldc '28'
L443: aastore
L444: dup
L445: iconst_1
L446: ldc 'Illegal argument while instantiating a method-based proxy in a Transformation mapping.'
L448: aastore
L449: aastore
L450: dup
L451: bipush 25
L453: iconst_2
L454: anewarray java/lang/Object
L457: dup
L458: iconst_0
L459: ldc '29'
L461: aastore
L462: dup
L463: iconst_1
L464: ldc 'The number of actual and formal parameters differs, or an unwrapping conversion has failed.'
L466: aastore
L467: aastore
L468: dup
L469: bipush 26
L471: iconst_2
L472: anewarray java/lang/Object
L475: dup
L476: iconst_0
L477: ldc '30'
L479: aastore
L480: dup
L481: iconst_1
L482: ldc 'The number of actual and formal parameters differs for method [{0}], or an unwrapping conversion has failed.'
L484: aastore
L485: aastore
L486: dup
L487: bipush 27
L489: iconst_2
L490: anewarray java/lang/Object
L493: dup
L494: iconst_0
L495: ldc '31'
L497: aastore
L498: dup
L499: iconst_1
L500: ldc 'The number of actual and formal parameters for the descriptor callback method [{0}] differs, or an unwrapping conversion has failed.'
L502: aastore
L503: aastore
L504: dup
L505: bipush 28
L507: iconst_2
L508: anewarray java/lang/Object
L511: dup
L512: iconst_0
L513: ldc '32'
L515: aastore
L516: dup
L517: iconst_1
L518: ldc 'Trying to set value [{0}] for instance variable [{1}] of type [{2}] in the object. The specified object is not an instance of the class or interface declaring the underlying field, or an unwrapping conversion has failed.'
L520: aastore
L521: aastore
L522: dup
L523: bipush 29
L525: iconst_2
L526: anewarray java/lang/Object
L529: dup
L530: iconst_0
L531: ldc '33'
L533: aastore
L534: dup
L535: iconst_1
L536: ldc 'Trying to invoke [{0}] on the object with the value [{1}]. The number of actual and formal parameters differs, or an unwrapping conversion has failed.'
L538: aastore
L539: aastore
L540: dup
L541: bipush 30
L543: iconst_2
L544: anewarray java/lang/Object
L547: dup
L548: iconst_0
L549: ldc '34'
L551: aastore
L552: dup
L553: iconst_1
L554: ldc 'This class does not define a public default constructor, or the constructor raised an exception.'
L556: aastore
L557: aastore
L558: dup
L559: bipush 31
L561: iconst_2
L562: anewarray java/lang/Object
L565: dup
L566: iconst_0
L567: ldc '35'
L569: aastore
L570: dup
L571: iconst_1
L572: ldc 'Invalid event.'
L574: aastore
L575: aastore
L576: dup
L577: bipush 32
L579: iconst_2
L580: anewarray java/lang/Object
L583: dup
L584: iconst_0
L585: ldc '36'
L587: aastore
L588: dup
L589: iconst_1
L590: ldc 'Invalid event code [{0}].'
L592: aastore
L593: aastore
L594: dup
L595: bipush 33
L597: iconst_2
L598: anewarray java/lang/Object
L601: dup
L602: iconst_0
L603: ldc '37'
L605: aastore
L606: dup
L607: iconst_1
L608: ldc 'Invalid descriptor event code [{0}].'
L610: aastore
L611: aastore
L612: dup
L613: bipush 34
L615: iconst_2
L616: anewarray java/lang/Object
L619: dup
L620: iconst_0
L621: ldc '38'
L623: aastore
L624: dup
L625: iconst_1
L626: ldc 'Identity map constructor failed because an invalid identity map was specified.'
L628: aastore
L629: aastore
L630: dup
L631: bipush 35
L633: iconst_2
L634: anewarray java/lang/Object
L637: dup
L638: iconst_0
L639: ldc '39'
L641: aastore
L642: dup
L643: iconst_1
L644: ldc 'This descriptor does not specify a Java class.'
L646: aastore
L647: aastore
L648: dup
L649: bipush 36
L651: iconst_2
L652: anewarray java/lang/Object
L655: dup
L656: iconst_0
L657: ldc '40'
L659: aastore
L660: dup
L661: iconst_1
L662: ldc 'Descriptor is missing for [{0}]. It was probably not added to the Session.'
L664: aastore
L665: aastore
L666: dup
L667: bipush 37
L669: iconst_2
L670: anewarray java/lang/Object
L673: dup
L674: iconst_0
L675: ldc '41'
L677: aastore
L678: dup
L679: iconst_1
L680: ldc 'A non-read-only mapping must be defined for the sequence number field.'
L682: aastore
L683: aastore
L684: dup
L685: bipush 38
L687: iconst_2
L688: anewarray java/lang/Object
L691: dup
L692: iconst_0
L693: ldc '43'
L695: aastore
L696: dup
L697: iconst_1
L698: ldc 'Missing class for indicator field value [{0}] of type [{1}].'
L700: aastore
L701: aastore
L702: dup
L703: bipush 39
L705: iconst_2
L706: anewarray java/lang/Object
L709: dup
L710: iconst_0
L711: ldc '44'
L713: aastore
L714: dup
L715: iconst_1
L716: ldc 'Missing class indicator field from database row [{0}].'
L718: aastore
L719: aastore
L720: dup
L721: bipush 40
L723: iconst_2
L724: anewarray java/lang/Object
L727: dup
L728: iconst_0
L729: ldc '45'
L731: aastore
L732: dup
L733: iconst_1
L734: ldc 'Missing mapping for field [{0}].'
L736: aastore
L737: aastore
L738: dup
L739: bipush 41
L741: iconst_2
L742: anewarray java/lang/Object
L745: dup
L746: iconst_0
L747: ldc '46'
L749: aastore
L750: dup
L751: iconst_1
L752: ldc 'There should be one non-read-only mapping defined for the primary key field [{0}].'
L754: aastore
L755: aastore
L756: dup
L757: bipush 42
L759: iconst_2
L760: anewarray java/lang/Object
L763: dup
L764: iconst_0
L765: ldc '47'
L767: aastore
L768: dup
L769: iconst_1
L770: ldc 'The multiple table primary key mapping must be specified when a custom multiple table join is used.'
L772: aastore
L773: aastore
L774: dup
L775: bipush 43
L777: iconst_2
L778: anewarray java/lang/Object
L781: dup
L782: iconst_0
L783: ldc '48'
L785: aastore
L786: dup
L787: iconst_1
L788: ldc 'Multiple writable mappings exist for the field [{0}]. Only one may be defined as writable, all others must be specified read-only.'
L790: aastore
L791: aastore
L792: dup
L793: bipush 44
L795: iconst_2
L796: anewarray java/lang/Object
L799: dup
L800: iconst_0
L801: ldc '49'
L803: aastore
L804: dup
L805: iconst_1
L806: ldc 'An attribute transformation method name is not specified for this mapping.'
L808: aastore
L809: aastore
L810: dup
L811: bipush 45
L813: iconst_2
L814: anewarray java/lang/Object
L817: dup
L818: iconst_0
L819: ldc '50'
L821: aastore
L822: dup
L823: iconst_1
L824: ldc 'A field name is not set for this mapping.'
L826: aastore
L827: aastore
L828: dup
L829: bipush 46
L831: iconst_2
L832: anewarray java/lang/Object
L835: dup
L836: iconst_0
L837: ldc '51'
L839: aastore
L840: dup
L841: iconst_1
L842: ldc 'No foreign keys have been specified for this mapping.'
L844: aastore
L845: aastore
L846: dup
L847: bipush 47
L849: iconst_2
L850: anewarray java/lang/Object
L853: dup
L854: iconst_0
L855: ldc '52'
L857: aastore
L858: dup
L859: iconst_1
L860: ldc 'No reference key has been specified for this mapping.'
L862: aastore
L863: aastore
L864: dup
L865: bipush 48
L867: iconst_2
L868: anewarray java/lang/Object
L871: dup
L872: iconst_0
L873: ldc '53'
L875: aastore
L876: dup
L877: iconst_1
L878: ldc 'The relation table name is not set for this mapping.'
L880: aastore
L881: aastore
L882: dup
L883: bipush 49
L885: iconst_2
L886: anewarray java/lang/Object
L889: dup
L890: iconst_0
L891: ldc '54'
L893: aastore
L894: dup
L895: iconst_1
L896: ldc 'There are no source relation keys specified for this mapping.'
L898: aastore
L899: aastore
L900: dup
L901: bipush 50
L903: iconst_2
L904: anewarray java/lang/Object
L907: dup
L908: iconst_0
L909: ldc '55'
L911: aastore
L912: dup
L913: iconst_1
L914: ldc 'The descriptor callback method [{0}] cannot be found. It must take a Session or a DescriptorEvent as its argument.'
L916: aastore
L917: aastore
L918: dup
L919: bipush 51
L921: iconst_2
L922: anewarray java/lang/Object
L925: dup
L926: iconst_0
L927: ldc '56'
L929: aastore
L930: dup
L931: iconst_1
L932: ldc 'The method [{0}] with parameters (Record) or (Record, Session) is not found.'
L934: aastore
L935: aastore
L936: dup
L937: bipush 52
L939: iconst_2
L940: anewarray java/lang/Object
L943: dup
L944: iconst_0
L945: ldc '57'
L947: aastore
L948: dup
L949: iconst_1
L950: ldc 'Inaccessible constructor.'
L952: aastore
L953: aastore
L954: dup
L955: bipush 53
L957: iconst_2
L958: anewarray java/lang/Object
L961: dup
L962: iconst_0
L963: ldc '58'
L965: aastore
L966: dup
L967: iconst_1
L968: ldc 'The method [{0}] with parameters () or (Session) not found.'
L970: aastore
L971: aastore
L972: dup
L973: bipush 54
L975: iconst_2
L976: anewarray java/lang/Object
L979: dup
L980: iconst_0
L981: ldc '59'
L983: aastore
L984: dup
L985: iconst_1
L986: ldc 'The instance variable [{0}] is not defined in the domain class [{1}], or it is not accessible.'
L988: aastore
L989: aastore
L990: dup
L991: bipush 55
L993: iconst_2
L994: anewarray java/lang/Object
L997: dup
L998: iconst_0
L999: ldc '60'
L1001: aastore
L1002: dup
L1003: iconst_1
L1004: ldc 'The method [{0}] or [{1}] is not defined in the object [{2}].'
L1006: aastore
L1007: aastore
L1008: dup
L1009: bipush 56
L1011: iconst_2
L1012: anewarray java/lang/Object
L1015: dup
L1016: iconst_0
L1017: ldc '61'
L1019: aastore
L1020: dup
L1021: iconst_1
L1022: ldc 'The static class extraction method [{0}], with parameter (Record), does not exist, or is not accessible.'
L1024: aastore
L1025: aastore
L1026: dup
L1027: bipush 57
L1029: iconst_2
L1030: anewarray java/lang/Object
L1033: dup
L1034: iconst_0
L1035: ldc '62'
L1037: aastore
L1038: dup
L1039: iconst_1
L1040: ldc 'The clone method [{0}], with no parameters, does not exist, or is not accessible.'
L1042: aastore
L1043: aastore
L1044: dup
L1045: bipush 58
L1047: iconst_2
L1048: anewarray java/lang/Object
L1051: dup
L1052: iconst_0
L1053: ldc '63'
L1055: aastore
L1056: dup
L1057: iconst_1
L1058: ldc 'The instance creation method [{0}], with no parameters, does not exist, or is not accessible.'
L1060: aastore
L1061: aastore
L1062: dup
L1063: bipush 59
L1065: iconst_2
L1066: anewarray java/lang/Object
L1069: dup
L1070: iconst_0
L1071: ldc '64'
L1073: aastore
L1074: dup
L1075: iconst_1
L1076: ldc 'No target foreign keys have been specified for this mapping.'
L1078: aastore
L1079: aastore
L1080: dup
L1081: bipush 60
L1083: iconst_2
L1084: anewarray java/lang/Object
L1087: dup
L1088: iconst_0
L1089: ldc '65'
L1091: aastore
L1092: dup
L1093: iconst_1
L1094: ldc 'No target relation keys have been specified for this mapping.'
L1096: aastore
L1097: aastore
L1098: dup
L1099: bipush 61
L1101: iconst_2
L1102: anewarray java/lang/Object
L1105: dup
L1106: iconst_0
L1107: ldc '66'
L1109: aastore
L1110: dup
L1111: iconst_1
L1112: ldc 'Could not deserialize object from byte array.'
L1114: aastore
L1115: aastore
L1116: dup
L1117: bipush 62
L1119: iconst_2
L1120: anewarray java/lang/Object
L1123: dup
L1124: iconst_0
L1125: ldc '67'
L1127: aastore
L1128: dup
L1129: iconst_1
L1130: ldc 'Could not serialize object into byte array.'
L1132: aastore
L1133: aastore
L1134: dup
L1135: bipush 63
L1137: iconst_2
L1138: anewarray java/lang/Object
L1141: dup
L1142: iconst_0
L1143: ldc '68'
L1145: aastore
L1146: dup
L1147: iconst_1
L1148: ldc 'The value of an aggregate in object [{0}] is null. Null values not allowed for Aggregate mappings unless "Allow Null" is specified.'
L1150: aastore
L1151: aastore
L1152: dup
L1153: bipush 64
L1155: iconst_2
L1156: anewarray java/lang/Object
L1159: dup
L1160: iconst_0
L1161: ldc '69'
L1163: aastore
L1164: dup
L1165: iconst_1
L1166: ldc 'A NullPointerException was thrown while extracting a value from the instance variable [{0}] in the object [{1}].'
L1168: aastore
L1169: aastore
L1170: dup
L1171: bipush 65
L1173: iconst_2
L1174: anewarray java/lang/Object
L1177: dup
L1178: iconst_0
L1179: ldc '70'
L1181: aastore
L1182: dup
L1183: iconst_1
L1184: ldc 'A NullPointerException was thrown while extracting a value through the method [{0}] in the object [{1}].'
L1186: aastore
L1187: aastore
L1188: dup
L1189: bipush 66
L1191: iconst_2
L1192: anewarray java/lang/Object
L1195: dup
L1196: iconst_0
L1197: ldc '71'
L1199: aastore
L1200: dup
L1201: iconst_1
L1202: ldc 'A NullPointerException was thrown while setting the value of the instance variable [{0}] to the value [{1}].'
L1204: aastore
L1205: aastore
L1206: dup
L1207: bipush 67
L1209: iconst_2
L1210: anewarray java/lang/Object
L1213: dup
L1214: iconst_0
L1215: ldc '72'
L1217: aastore
L1218: dup
L1219: iconst_1
L1220: ldc 'A NullPointerException was thrown while setting a value through the method [{0}] with argument [{1}].'
L1222: aastore
L1223: aastore
L1224: dup
L1225: bipush 68
L1227: iconst_2
L1228: anewarray java/lang/Object
L1231: dup
L1232: iconst_0
L1233: ldc '73'
L1235: aastore
L1236: dup
L1237: iconst_1
L1238: ldc 'Cannot find descriptor for parent class [{0}].'
L1240: aastore
L1241: aastore
L1242: dup
L1243: bipush 69
L1245: iconst_2
L1246: anewarray java/lang/Object
L1249: dup
L1250: iconst_0
L1251: ldc '74'
L1253: aastore
L1254: dup
L1255: iconst_1
L1256: ldc 'The primary key fields are not set for this descriptor.'
L1258: aastore
L1259: aastore
L1260: dup
L1261: bipush 70
L1263: iconst_2
L1264: anewarray java/lang/Object
L1267: dup
L1268: iconst_0
L1269: ldc '75'
L1271: aastore
L1272: dup
L1273: iconst_1
L1274: ldc 'The reference class is not specified for this descriptor.'
L1276: aastore
L1277: aastore
L1278: dup
L1279: bipush 71
L1281: iconst_2
L1282: anewarray java/lang/Object
L1285: dup
L1286: iconst_0
L1287: ldc '77'
L1289: aastore
L1290: dup
L1291: iconst_1
L1292: ldc 'The reference descriptor for [{0}] should be set to be an Aggregate descriptor.'
L1294: aastore
L1295: aastore
L1296: dup
L1297: bipush 72
L1299: iconst_2
L1300: anewarray java/lang/Object
L1303: dup
L1304: iconst_0
L1305: ldc '78'
L1307: aastore
L1308: dup
L1309: iconst_1
L1310: ldc 'The reference field [{0}] for this mapping must exist in the reference table.'
L1312: aastore
L1313: aastore
L1314: dup
L1315: bipush 73
L1317: iconst_2
L1318: anewarray java/lang/Object
L1321: dup
L1322: iconst_0
L1323: ldc '79'
L1325: aastore
L1326: dup
L1327: iconst_1
L1328: ldc 'The reference table is not specified for this mapping.'
L1330: aastore
L1331: aastore
L1332: dup
L1333: bipush 74
L1335: iconst_2
L1336: anewarray java/lang/Object
L1339: dup
L1340: iconst_0
L1341: ldc '80'
L1343: aastore
L1344: dup
L1345: iconst_1
L1346: ldc 'The relation key field [{0}] for this mapping must exist in the relation table.'
L1348: aastore
L1349: aastore
L1350: dup
L1351: bipush 75
L1353: iconst_2
L1354: anewarray java/lang/Object
L1357: dup
L1358: iconst_0
L1359: ldc '81'
L1361: aastore
L1362: dup
L1363: iconst_1
L1364: ldc 'The method [{0}] should return the type of the mapped attribute, not void.'
L1366: aastore
L1367: aastore
L1368: dup
L1369: bipush 76
L1371: iconst_2
L1372: anewarray java/lang/Object
L1375: dup
L1376: iconst_0
L1377: ldc '82'
L1379: aastore
L1380: dup
L1381: iconst_1
L1382: ldc 'The descriptor callback method [{0}], with parameter (DescriptorEvent), is not accessible.'
L1384: aastore
L1385: aastore
L1386: dup
L1387: bipush 77
L1389: iconst_2
L1390: anewarray java/lang/Object
L1393: dup
L1394: iconst_0
L1395: ldc '83'
L1397: aastore
L1398: dup
L1399: iconst_1
L1400: ldc 'The descriptor callback method [{0}], with parameter (Session), is not accessible.'
L1402: aastore
L1403: aastore
L1404: dup
L1405: bipush 78
L1407: iconst_2
L1408: anewarray java/lang/Object
L1411: dup
L1412: iconst_0
L1413: ldc '84'
L1415: aastore
L1416: dup
L1417: iconst_1
L1418: ldc 'The method [{0}], with parameters (Record) or (Record, Session), is not accessible.'
L1420: aastore
L1421: aastore
L1422: dup
L1423: bipush 79
L1425: iconst_2
L1426: anewarray java/lang/Object
L1429: dup
L1430: iconst_0
L1431: ldc '85'
L1433: aastore
L1434: dup
L1435: iconst_1
L1436: ldc 'The method [{0}], with parameters () or (Session), is not accessible.'
L1438: aastore
L1439: aastore
L1440: dup
L1441: bipush 80
L1443: iconst_2
L1444: anewarray java/lang/Object
L1447: dup
L1448: iconst_0
L1449: ldc '86'
L1451: aastore
L1452: dup
L1453: iconst_1
L1454: ldc 'The instance variable [{0}] in the class [{1}] is not accessible.'
L1456: aastore
L1457: aastore
L1458: dup
L1459: bipush 81
L1461: iconst_2
L1462: anewarray java/lang/Object
L1465: dup
L1466: iconst_0
L1467: ldc '87'
L1469: aastore
L1470: dup
L1471: iconst_1
L1472: ldc 'The methods [{0}], [{1}] in the object [{2}] are not accessible'
L1474: aastore
L1475: aastore
L1476: dup
L1477: bipush 82
L1479: iconst_2
L1480: anewarray java/lang/Object
L1483: dup
L1484: iconst_0
L1485: ldc '88'
L1487: aastore
L1488: dup
L1489: iconst_1
L1490: ldc 'The static class extraction method [{0}], with parameter (Record), is not accessible.'
L1492: aastore
L1493: aastore
L1494: dup
L1495: bipush 83
L1497: iconst_2
L1498: anewarray java/lang/Object
L1501: dup
L1502: iconst_0
L1503: ldc '89'
L1505: aastore
L1506: dup
L1507: iconst_1
L1508: ldc 'The clone method [{0}], with no parameters, is not accessible.'
L1510: aastore
L1511: aastore
L1512: dup
L1513: bipush 84
L1515: iconst_2
L1516: anewarray java/lang/Object
L1519: dup
L1520: iconst_0
L1521: ldc '90'
L1523: aastore
L1524: dup
L1525: iconst_1
L1526: ldc 'The instance creation method [{0}], with no parameters, is not accessible.'
L1528: aastore
L1529: aastore
L1530: dup
L1531: bipush 85
L1533: iconst_2
L1534: anewarray java/lang/Object
L1537: dup
L1538: iconst_0
L1539: ldc '91'
L1541: aastore
L1542: dup
L1543: iconst_1
L1544: ldc 'To use sequence-generated IDs, both the "Sequence Number Name" and "Sequence Number Field Name" properties must be set for this descriptor.'
L1546: aastore
L1547: aastore
L1548: dup
L1549: bipush 86
L1551: iconst_2
L1552: anewarray java/lang/Object
L1555: dup
L1556: iconst_0
L1557: ldc '92'
L1559: aastore
L1560: dup
L1561: iconst_1
L1562: ldc "The size of the target''s primary key does not match the size of the foreign key."
L1564: aastore
L1565: aastore
L1566: dup
L1567: bipush 87
L1569: iconst_2
L1570: anewarray java/lang/Object
L1573: dup
L1574: iconst_0
L1575: ldc '93'
L1577: aastore
L1578: dup
L1579: iconst_1
L1580: ldc 'The table [{0}] is not present in this descriptor.'
L1582: aastore
L1583: aastore
L1584: dup
L1585: bipush 88
L1587: iconst_2
L1588: anewarray java/lang/Object
L1591: dup
L1592: iconst_0
L1593: ldc '94'
L1595: aastore
L1596: dup
L1597: iconst_1
L1598: ldc 'Descriptors must have a table name defined.'
L1600: aastore
L1601: aastore
L1602: dup
L1603: bipush 89
L1605: iconst_2
L1606: anewarray java/lang/Object
L1609: dup
L1610: iconst_0
L1611: ldc '96'
L1613: aastore
L1614: dup
L1615: iconst_1
L1616: ldc 'The number of target keys does not match the number of source keys.'
L1618: aastore
L1619: aastore
L1620: dup
L1621: bipush 90
L1623: iconst_2
L1624: anewarray java/lang/Object
L1627: dup
L1628: iconst_0
L1629: ldc '97'
L1631: aastore
L1632: dup
L1633: iconst_1
L1634: ldc 'Problem cloning the object [{0}]. The clone method [{1}] triggered an exception.'
L1636: aastore
L1637: aastore
L1638: dup
L1639: bipush 91
L1641: iconst_2
L1642: anewarray java/lang/Object
L1645: dup
L1646: iconst_0
L1647: ldc '98'
L1649: aastore
L1650: dup
L1651: iconst_1
L1652: ldc 'The underlying descriptor callback method [{0}], with parameter (DescriptorEvent), triggered an exception.'
L1654: aastore
L1655: aastore
L1656: dup
L1657: bipush 92
L1659: iconst_2
L1660: anewarray java/lang/Object
L1663: dup
L1664: iconst_0
L1665: ldc '99'
L1667: aastore
L1668: dup
L1669: iconst_1
L1670: ldc 'The method [{0}] on the object [{1}] triggered an exception.'
L1672: aastore
L1673: aastore
L1674: dup
L1675: bipush 93
L1677: iconst_2
L1678: anewarray java/lang/Object
L1681: dup
L1682: iconst_0
L1683: ldc '100'
L1685: aastore
L1686: dup
L1687: iconst_1
L1688: ldc 'A method has triggered an exception.'
L1690: aastore
L1691: aastore
L1692: dup
L1693: bipush 94
L1695: iconst_2
L1696: anewarray java/lang/Object
L1699: dup
L1700: iconst_0
L1701: ldc '101'
L1703: aastore
L1704: dup
L1705: iconst_1
L1706: ldc 'The underlying method triggered an exception.'
L1708: aastore
L1709: aastore
L1710: dup
L1711: bipush 95
L1713: iconst_2
L1714: anewarray java/lang/Object
L1717: dup
L1718: iconst_0
L1719: ldc '102'
L1721: aastore
L1722: dup
L1723: iconst_1
L1724: ldc 'The method [{0}] triggered an exception.'
L1726: aastore
L1727: aastore
L1728: dup
L1729: bipush 96
L1731: iconst_2
L1732: anewarray java/lang/Object
L1735: dup
L1736: iconst_0
L1737: ldc '103'
L1739: aastore
L1740: dup
L1741: iconst_1
L1742: ldc 'Problem in extracting class from row [{0}], using static method [{1}], with parameter (DatabaseRow). An exception was triggered.'
L1744: aastore
L1745: aastore
L1746: dup
L1747: bipush 97
L1749: iconst_2
L1750: anewarray java/lang/Object
L1753: dup
L1754: iconst_0
L1755: ldc '104'
L1757: aastore
L1758: dup
L1759: iconst_1
L1760: ldc 'Problem in creating new instance using creation method [{0}]. The creation method triggered an exception.'
L1762: aastore
L1763: aastore
L1764: dup
L1765: bipush 98
L1767: iconst_2
L1768: anewarray java/lang/Object
L1771: dup
L1772: iconst_0
L1773: ldc '105'
L1775: aastore
L1776: dup
L1777: iconst_1
L1778: ldc 'The underlying descriptor callback method [{0}], with parameter (Session), triggered an exception.'
L1780: aastore
L1781: aastore
L1782: dup
L1783: bipush 99
L1785: iconst_2
L1786: anewarray java/lang/Object
L1789: dup
L1790: iconst_0
L1791: ldc '106'
L1793: aastore
L1794: dup
L1795: iconst_1
L1796: ldc 'The method [{0}] on the object is throwing an exception. {2}Argument: [{1}]'
L1798: aastore
L1799: aastore
L1800: dup
L1801: bipush 100
L1803: iconst_2
L1804: anewarray java/lang/Object
L1807: dup
L1808: iconst_0
L1809: ldc '108'
L1811: aastore
L1812: dup
L1813: iconst_1
L1814: ldc 'Cannot find value in class indicator mapping in parent descriptor [{0}].'
L1816: aastore
L1817: aastore
L1818: dup
L1819: bipush 101
L1821: iconst_2
L1822: anewarray java/lang/Object
L1825: dup
L1826: iconst_0
L1827: ldc '109'
L1829: aastore
L1830: dup
L1831: iconst_1
L1832: ldc "This descriptor should not have a write lock field defined because it is a child descriptor. It inherits its parent descriptor''s write lock field."
L1834: aastore
L1835: aastore
L1836: dup
L1837: bipush 102
L1839: iconst_2
L1840: anewarray java/lang/Object
L1843: dup
L1844: iconst_0
L1845: ldc '110'
L1847: aastore
L1848: dup
L1849: iconst_1
L1850: ldc 'Descriptor is missing for class [{0}].'
L1852: aastore
L1853: aastore
L1854: dup
L1855: bipush 103
L1857: iconst_2
L1858: anewarray java/lang/Object
L1861: dup
L1862: iconst_0
L1863: ldc '111'
L1865: aastore
L1866: dup
L1867: iconst_1
L1868: ldc 'Multiple table primary key field names must be fully qualified.'
L1870: aastore
L1871: aastore
L1872: dup
L1873: bipush 104
L1875: iconst_2
L1876: anewarray java/lang/Object
L1879: dup
L1880: iconst_0
L1881: ldc '112'
L1883: aastore
L1884: dup
L1885: iconst_1
L1886: ldc 'Only one table can be added by using setTableName(String). Use addTableName(String) to add multiple tables to a descriptor.'
L1888: aastore
L1889: aastore
L1890: dup
L1891: bipush 105
L1893: iconst_2
L1894: anewarray java/lang/Object
L1897: dup
L1898: iconst_0
L1899: ldc '113'
L1901: aastore
L1902: dup
L1903: iconst_1
L1904: ldc 'The constructor was inaccessible.'
L1906: aastore
L1907: aastore
L1908: dup
L1909: bipush 106
L1911: iconst_2
L1912: anewarray java/lang/Object
L1915: dup
L1916: iconst_0
L1917: ldc '114'
L1919: aastore
L1920: dup
L1921: iconst_1
L1922: ldc 'Problem in creating new instance using creation method [{0}]. The creation method is not accessible.'
L1924: aastore
L1925: aastore
L1926: dup
L1927: bipush 107
L1929: iconst_2
L1930: anewarray java/lang/Object
L1933: dup
L1934: iconst_0
L1935: ldc '115'
L1937: aastore
L1938: dup
L1939: iconst_1
L1940: ldc 'No conversion value provided for the attribute [{0}].'
L1942: aastore
L1943: aastore
L1944: dup
L1945: bipush 108
L1947: iconst_2
L1948: anewarray java/lang/Object
L1951: dup
L1952: iconst_0
L1953: ldc '116'
L1955: aastore
L1956: dup
L1957: iconst_1
L1958: ldc 'No conversion value provided for the value [{0}] in field [{1}].'
L1960: aastore
L1961: aastore
L1962: dup
L1963: bipush 109
L1965: iconst_2
L1966: anewarray java/lang/Object
L1969: dup
L1970: iconst_0
L1971: ldc '118'
L1973: aastore
L1974: dup
L1975: iconst_1
L1976: ldc 'The object [{0}] must not have read-only mappings to its write lock fields.'
L1978: aastore
L1979: aastore
L1980: dup
L1981: bipush 110
L1983: iconst_2
L1984: anewarray java/lang/Object
L1987: dup
L1988: iconst_0
L1989: ldc '119'
L1991: aastore
L1992: dup
L1993: iconst_1
L1994: ldc "The object''s [{0}] mappings to its write lock fields must be read-only."
L1996: aastore
L1997: aastore
L1998: dup
L1999: bipush 111
L2001: iconst_2
L2002: anewarray java/lang/Object
L2005: dup
L2006: iconst_0
L2007: ldc '120'
L2009: aastore
L2010: dup
L2011: iconst_1
L2012: ldc 'The query key [{0}] is defined in the parent descriptor [{1}], but not in the child descriptor [{2}].'
L2014: aastore
L2015: aastore
L2016: dup
L2017: bipush 112
L2019: iconst_2
L2020: anewarray java/lang/Object
L2023: dup
L2024: iconst_0
L2025: ldc '122'
L2027: aastore
L2028: dup
L2029: iconst_1
L2030: ldc 'setExistenceCheck() with argument [{0}] is not understood.'
L2032: aastore
L2033: aastore
L2034: dup
L2035: bipush 113
L2037: iconst_2
L2038: anewarray java/lang/Object
L2041: dup
L2042: iconst_0
L2043: ldc '125'
L2045: aastore
L2046: dup
L2047: iconst_1
L2048: ldc 'The mapping for the attribute [{0}] uses indirection, and so must be initialized to a new ValueHolder. Currently the value is: [{1}].'
L2050: aastore
L2051: aastore
L2052: dup
L2053: bipush 114
L2055: iconst_2
L2056: anewarray java/lang/Object
L2059: dup
L2060: iconst_0
L2061: ldc '126'
L2063: aastore
L2064: dup
L2065: iconst_1
L2066: ldc 'No subclass matches this class [{0}] for this Aggregate mapping with inheritance.'
L2068: aastore
L2069: aastore
L2070: dup
L2071: bipush 115
L2073: iconst_2
L2074: anewarray java/lang/Object
L2077: dup
L2078: iconst_0
L2079: ldc '127'
L2081: aastore
L2082: dup
L2083: iconst_1
L2084: ldc 'The get method for the attribute [{0}] does not return a ValueHolderInterface, but the mapping uses indirection.'
L2086: aastore
L2087: aastore
L2088: dup
L2089: bipush 116
L2091: iconst_2
L2092: anewarray java/lang/Object
L2095: dup
L2096: iconst_0
L2097: ldc '128'
L2099: aastore
L2100: dup
L2101: iconst_1
L2102: ldc 'The get method for the attribute [{0}] returns a ValueHolderInterface, but the mapping does not use indirection.'
L2104: aastore
L2105: aastore
L2106: dup
L2107: bipush 117
L2109: iconst_2
L2110: anewarray java/lang/Object
L2113: dup
L2114: iconst_0
L2115: ldc '129'
L2117: aastore
L2118: dup
L2119: iconst_1
L2120: ldc 'The set method for the attribute [{0}] does not take a ValueHolderInterface as its parameter, but the mapping uses indirection.'
L2122: aastore
L2123: aastore
L2124: dup
L2125: bipush 118
L2127: iconst_2
L2128: anewarray java/lang/Object
L2131: dup
L2132: iconst_0
L2133: ldc '130'
L2135: aastore
L2136: dup
L2137: iconst_1
L2138: ldc 'The set method for the attribute [{0}] takes a ValueHolderInterface as its parameter, but the mapping does not use indirection.'
L2140: aastore
L2141: aastore
L2142: dup
L2143: bipush 119
L2145: iconst_2
L2146: anewarray java/lang/Object
L2149: dup
L2150: iconst_0
L2151: ldc '131'
L2153: aastore
L2154: dup
L2155: iconst_1
L2156: ldc 'The get method for the attribute [{0}] should return a Vector (or a type that implements Map or Collection, if using Java 2).'
L2158: aastore
L2159: aastore
L2160: dup
L2161: bipush 120
L2163: iconst_2
L2164: anewarray java/lang/Object
L2167: dup
L2168: iconst_0
L2169: ldc '133'
L2171: aastore
L2172: dup
L2173: iconst_1
L2174: ldc 'The set method for the attribute [{0}] should take a Vector as its parameter (or a type that implements Map or Collection, if using Java 2).'
L2176: aastore
L2177: aastore
L2178: dup
L2179: bipush 121
L2181: iconst_2
L2182: anewarray java/lang/Object
L2185: dup
L2186: iconst_0
L2187: ldc '135'
L2189: aastore
L2190: dup
L2191: iconst_1
L2192: ldc 'The multiple table foreign key relationship refers to an unknown table [{0}].'
L2194: aastore
L2195: aastore
L2196: dup
L2197: bipush 122
L2199: iconst_2
L2200: anewarray java/lang/Object
L2203: dup
L2204: iconst_0
L2205: ldc '138'
L2207: aastore
L2208: dup
L2209: iconst_1
L2210: ldc 'The attribute [{0}] is of type [{1}] but the mapping uses transparent indirection (lazy loading), requiring it to be a superclass of [{2}].'
L2212: aastore
L2213: aastore
L2214: dup
L2215: bipush 123
L2217: iconst_2
L2218: anewarray java/lang/Object
L2221: dup
L2222: iconst_0
L2223: ldc '139'
L2225: aastore
L2226: dup
L2227: iconst_1
L2228: ldc 'The get method for the attribute [{0}] returns [{1}] but the mapping uses transparent indirection (lazy loading), requiring it to be a superclass of [{2}].'
L2230: aastore
L2231: aastore
L2232: dup
L2233: bipush 124
L2235: iconst_2
L2236: anewarray java/lang/Object
L2239: dup
L2240: iconst_0
L2241: ldc '140'
L2243: aastore
L2244: dup
L2245: iconst_1
L2246: ldc 'The set method for the attribute [{0}] takes [{1}] but the mapping uses transparent indirection (lazy loading), requiring it to be a superclass of [{2}].'
L2248: aastore
L2249: aastore
L2250: dup
L2251: bipush 125
L2253: iconst_2
L2254: anewarray java/lang/Object
L2257: dup
L2258: iconst_0
L2259: ldc '141'
L2261: aastore
L2262: dup
L2263: iconst_1
L2264: ldc_w 'The field [{0}] is not present in the table [{1}] in the database.'
L2267: aastore
L2268: aastore
L2269: dup
L2270: bipush 126
L2272: iconst_2
L2273: anewarray java/lang/Object
L2276: dup
L2277: iconst_0
L2278: ldc_w '142'
L2281: aastore
L2282: dup
L2283: iconst_1
L2284: ldc_w 'The table [{0}] is not present in the database.'
L2287: aastore
L2288: aastore
L2289: dup
L2290: bipush 127
L2292: iconst_2
L2293: anewarray java/lang/Object
L2296: dup
L2297: iconst_0
L2298: ldc_w '143'
L2301: aastore
L2302: dup
L2303: iconst_1
L2304: ldc_w 'The multiple table insert order Vector specified, [{0}], has more or fewer tables than are specified in the descriptor. {2}All of the tables [{1}] must be included in the insert order Vector.'
L2307: aastore
L2308: aastore
L2309: dup
L2310: sipush 128
L2313: iconst_2
L2314: anewarray java/lang/Object
L2317: dup
L2318: iconst_0
L2319: ldc_w '144'
L2322: aastore
L2323: dup
L2324: iconst_1
L2325: ldc_w 'Transparent indirection can only be used with CollectionMappings.'
L2328: aastore
L2329: aastore
L2330: dup
L2331: sipush 129
L2334: iconst_2
L2335: anewarray java/lang/Object
L2338: dup
L2339: iconst_0
L2340: ldc_w '145'
L2343: aastore
L2344: dup
L2345: iconst_1
L2346: ldc_w 'The indirect container class [{0}] must implement the constructor [{1}] with parameter (ValueHolderInterface).'
L2349: aastore
L2350: aastore
L2351: dup
L2352: sipush 130
L2355: iconst_2
L2356: anewarray java/lang/Object
L2359: dup
L2360: iconst_0
L2361: ldc_w '146'
L2364: aastore
L2365: dup
L2366: iconst_1
L2367: ldc_w 'The indirect container class [{0}] could not be instantiated using the constructor {1}(ValueHolderInterface).'
L2370: aastore
L2371: aastore
L2372: dup
L2373: sipush 131
L2376: iconst_2
L2377: anewarray java/lang/Object
L2380: dup
L2381: iconst_0
L2382: ldc_w '147'
L2385: aastore
L2386: dup
L2387: iconst_1
L2388: ldc_w 'The container policy [{0}] should only be used in JDK 1.1.x. It was instantiated for [{1}].'
L2391: aastore
L2392: aastore
L2393: dup
L2394: sipush 132
L2397: iconst_2
L2398: anewarray java/lang/Object
L2401: dup
L2402: iconst_0
L2403: ldc_w '148'
L2406: aastore
L2407: dup
L2408: iconst_1
L2409: ldc_w 'The container policy [{0}] is not compatible with transparent indirection.'
L2412: aastore
L2413: aastore
L2414: dup
L2415: sipush 133
L2418: iconst_2
L2419: anewarray java/lang/Object
L2422: dup
L2423: iconst_0
L2424: ldc_w '149'
L2427: aastore
L2428: dup
L2429: iconst_1
L2430: ldc_w 'NoIndirectionPolicy objects should not receive this message.'
L2433: aastore
L2434: aastore
L2435: dup
L2436: sipush 134
L2439: iconst_2
L2440: anewarray java/lang/Object
L2443: dup
L2444: iconst_0
L2445: ldc_w '150'
L2448: aastore
L2449: dup
L2450: iconst_1
L2451: ldc_w 'The mapping for the attribute [{0}] uses transparent indirection so the attribute [{0}] must be initialized to an appropriate container. Currently the value is [{1}]. {2} - Must be instance of an implementor of Collection or Map.'
L2454: aastore
L2455: aastore
L2456: dup
L2457: sipush 135
L2460: iconst_2
L2461: anewarray java/lang/Object
L2464: dup
L2465: iconst_0
L2466: ldc_w '151'
L2469: aastore
L2470: dup
L2471: iconst_1
L2472: ldc_w 'The operation [{0}] is invalid for this mapping.'
L2475: aastore
L2476: aastore
L2477: dup
L2478: sipush 136
L2481: iconst_2
L2482: anewarray java/lang/Object
L2485: dup
L2486: iconst_0
L2487: ldc_w '152'
L2490: aastore
L2491: dup
L2492: iconst_1
L2493: ldc_w 'The operation [{1}] is invalid for this indirection policy [{0}].'
L2496: aastore
L2497: aastore
L2498: dup
L2499: sipush 137
L2502: iconst_2
L2503: anewarray java/lang/Object
L2506: dup
L2507: iconst_0
L2508: ldc_w '153'
L2511: aastore
L2512: dup
L2513: iconst_1
L2514: ldc_w 'The reference descriptor for [{0}] should be set to be an Aggregate Collection descriptor.'
L2517: aastore
L2518: aastore
L2519: dup
L2520: sipush 138
L2523: iconst_2
L2524: anewarray java/lang/Object
L2527: dup
L2528: iconst_0
L2529: ldc_w '154'
L2532: aastore
L2533: dup
L2534: iconst_1
L2535: ldc_w 'The indirection container class [{0}] does not implement IndirectContainer.'
L2538: aastore
L2539: aastore
L2540: dup
L2541: sipush 139
L2544: iconst_2
L2545: anewarray java/lang/Object
L2548: dup
L2549: iconst_0
L2550: ldc_w '155'
L2553: aastore
L2554: dup
L2555: iconst_1
L2556: ldc_w 'This mapping does not include a foreign key field linked to the primary key field [{0}].'
L2559: aastore
L2560: aastore
L2561: dup
L2562: sipush 140
L2565: iconst_2
L2566: anewarray java/lang/Object
L2569: dup
L2570: iconst_0
L2571: ldc_w '156'
L2574: aastore
L2575: dup
L2576: iconst_1
L2577: ldc_w 'The structure name is not set for this mapping.'
L2580: aastore
L2581: aastore
L2582: dup
L2583: sipush 141
L2586: iconst_2
L2587: anewarray java/lang/Object
L2590: dup
L2591: iconst_0
L2592: ldc_w '157'
L2595: aastore
L2596: dup
L2597: iconst_1
L2598: ldc_w 'Normal descriptors do not support non-relational extensions.'
L2601: aastore
L2602: aastore
L2603: dup
L2604: sipush 142
L2607: iconst_2
L2608: anewarray java/lang/Object
L2611: dup
L2612: iconst_0
L2613: ldc_w '158'
L2616: aastore
L2617: dup
L2618: iconst_1
L2619: ldc_w "This descriptor''s parent class has been set to itself."
L2622: aastore
L2623: aastore
L2624: dup
L2625: sipush 143
L2628: iconst_2
L2629: anewarray java/lang/Object
L2632: dup
L2633: iconst_0
L2634: ldc_w '159'
L2637: aastore
L2638: dup
L2639: iconst_1
L2640: ldc_w 'Proxy indirection is available only in JDK 1.3-compliant or higher virtual machines.'
L2643: aastore
L2644: aastore
L2645: dup
L2646: sipush 144
L2649: iconst_2
L2650: anewarray java/lang/Object
L2653: dup
L2654: iconst_0
L2655: ldc_w '160'
L2658: aastore
L2659: dup
L2660: iconst_1
L2661: ldc_w 'The attribute [{0}] of class [{1}] is typed as [{2}], which was not specified in the list of interfaces given to the useProxyIndirection() method. {4}Valid interfaces are: [{3}].'
L2664: aastore
L2665: aastore
L2666: dup
L2667: sipush 145
L2670: iconst_2
L2671: anewarray java/lang/Object
L2674: dup
L2675: iconst_0
L2676: ldc_w '161'
L2679: aastore
L2680: dup
L2681: iconst_1
L2682: ldc_w 'The method [{0}] in class [{1}] returns a value of type [{2}], which was not specified in the list of interfaces given to the useProxyIndirection() method. {4}Valid interfaces are: [{3}].'
L2685: aastore
L2686: aastore
L2687: dup
L2688: sipush 146
L2691: iconst_2
L2692: anewarray java/lang/Object
L2695: dup
L2696: iconst_0
L2697: ldc_w '162'
L2700: aastore
L2701: dup
L2702: iconst_1
L2703: ldc_w 'The method [{0}] in class [{1}] takes a parameter of type [{2}], which was not specified in the list of interfaces given to the useProxyIndirection() method.{4}Valid interfaces are: [{3}].'
L2706: aastore
L2707: aastore
L2708: dup
L2709: sipush 147
L2712: iconst_2
L2713: anewarray java/lang/Object
L2716: dup
L2717: iconst_0
L2718: ldc_w '163'
L2721: aastore
L2722: dup
L2723: iconst_1
L2724: ldc_w "This mapping''s attribute class does not match the collection class. [{1}] cannot be assigned to [{0}]."
L2727: aastore
L2728: aastore
L2729: dup
L2730: sipush 148
L2733: iconst_2
L2734: anewarray java/lang/Object
L2737: dup
L2738: iconst_0
L2739: ldc_w '164'
L2742: aastore
L2743: dup
L2744: iconst_1
L2745: ldc_w 'The amendment method [{1}], in amendment class [{0}], is invalid, not public, or cannot be found. {2}Descriptor amendment methods must be declared "public static void" with (ClassDescriptor) as the single parameter.'
L2748: aastore
L2749: aastore
L2750: dup
L2751: sipush 149
L2754: iconst_2
L2755: anewarray java/lang/Object
L2758: dup
L2759: iconst_0
L2760: ldc_w '165'
L2763: aastore
L2764: dup
L2765: iconst_1
L2766: ldc_w "This descriptor''s amendment method [{1}] in amendment class [{0}] triggered an exception."
L2769: aastore
L2770: aastore
L2771: dup
L2772: sipush 150
L2775: iconst_2
L2776: anewarray java/lang/Object
L2779: dup
L2780: iconst_0
L2781: ldc_w '166'
L2784: aastore
L2785: dup
L2786: iconst_1
L2787: ldc_w 'There is no mapping for the attribute [{0}].'
L2790: aastore
L2791: aastore
L2792: dup
L2793: sipush 151
L2796: iconst_2
L2797: anewarray java/lang/Object
L2800: dup
L2801: iconst_0
L2802: ldc_w '167'
L2805: aastore
L2806: dup
L2807: iconst_1
L2808: ldc_w 'A valid constructor was not found for the indirection container class [{0}].'
L2811: aastore
L2812: aastore
L2813: dup
L2814: sipush 152
L2817: iconst_2
L2818: anewarray java/lang/Object
L2821: dup
L2822: iconst_0
L2823: ldc_w '168'
L2826: aastore
L2827: dup
L2828: iconst_1
L2829: ldc_w 'Problem in creating new instance using the default constructor. The default constructor triggered an exception.'
L2832: aastore
L2833: aastore
L2834: dup
L2835: sipush 153
L2838: iconst_2
L2839: anewarray java/lang/Object
L2842: dup
L2843: iconst_0
L2844: ldc_w '169'
L2847: aastore
L2848: dup
L2849: iconst_1
L2850: ldc_w 'Problem in creating new instance of factory using the default constructor. The default constructor triggered an exception.'
L2853: aastore
L2854: aastore
L2855: dup
L2856: sipush 154
L2859: iconst_2
L2860: anewarray java/lang/Object
L2863: dup
L2864: iconst_0
L2865: ldc_w '170'
L2868: aastore
L2869: dup
L2870: iconst_1
L2871: ldc_w 'Problem (illegal access) in creating new instance of factory using the default constructor.'
L2874: aastore
L2875: aastore
L2876: dup
L2877: sipush 155
L2880: iconst_2
L2881: anewarray java/lang/Object
L2884: dup
L2885: iconst_0
L2886: ldc_w '171'
L2889: aastore
L2890: dup
L2891: iconst_1
L2892: ldc_w 'The factory class does not define a public default constructor, or the constructor raised an exception.'
L2895: aastore
L2896: aastore
L2897: dup
L2898: sipush 156
L2901: iconst_2
L2902: anewarray java/lang/Object
L2905: dup
L2906: iconst_0
L2907: ldc_w '172'
L2910: aastore
L2911: dup
L2912: iconst_1
L2913: ldc_w 'Factory constructor not found.'
L2916: aastore
L2917: aastore
L2918: dup
L2919: sipush 157
L2922: iconst_2
L2923: anewarray java/lang/Object
L2926: dup
L2927: iconst_0
L2928: ldc_w '173'
L2931: aastore
L2932: dup
L2933: iconst_1
L2934: ldc_w 'The factory constructor was inaccessible.'
L2937: aastore
L2938: aastore
L2939: dup
L2940: sipush 158
L2943: iconst_2
L2944: anewarray java/lang/Object
L2947: dup
L2948: iconst_0
L2949: ldc_w '174'
L2952: aastore
L2953: dup
L2954: iconst_1
L2955: ldc_w 'Problem in creating factory. The creation method [{0}] is not accessible.'
L2958: aastore
L2959: aastore
L2960: dup
L2961: sipush 159
L2964: iconst_2
L2965: anewarray java/lang/Object
L2968: dup
L2969: iconst_0
L2970: ldc_w '175'
L2973: aastore
L2974: dup
L2975: iconst_1
L2976: ldc_w 'Problem creating factory using creation method [{0}]. The creation method triggered an exception.'
L2979: aastore
L2980: aastore
L2981: dup
L2982: sipush 160
L2985: iconst_2
L2986: anewarray java/lang/Object
L2989: dup
L2990: iconst_0
L2991: ldc_w '176'
L2994: aastore
L2995: dup
L2996: iconst_1
L2997: ldc_w 'Problem in creating factory using creation method [{0}]. The creation method is not accessible.'
L3000: aastore
L3001: aastore
L3002: dup
L3003: sipush 161
L3006: iconst_2
L3007: anewarray java/lang/Object
L3010: dup
L3011: iconst_0
L3012: ldc_w '177'
L3015: aastore
L3016: dup
L3017: iconst_1
L3018: ldc_w 'Mapping is missing for the attribute: [{0}].'
L3021: aastore
L3022: aastore
L3023: dup
L3024: sipush 162
L3027: iconst_2
L3028: anewarray java/lang/Object
L3031: dup
L3032: iconst_0
L3033: ldc_w '178'
L3036: aastore
L3037: dup
L3038: iconst_1
L3039: ldc_w 'Cannot find mapping for attribute [{0}] in entity bean [{1}]. The attribute must mapped.'
L3042: aastore
L3043: aastore
L3044: dup
L3045: sipush 163
L3048: iconst_2
L3049: anewarray java/lang/Object
L3052: dup
L3053: iconst_0
L3054: ldc_w '179'
L3057: aastore
L3058: dup
L3059: iconst_1
L3060: ldc_w 'The attribute, [{0}] uses Bidirectional Relationship Maintenance, but has ContainerPolicy, [{1}] which does not support it. The attribute should be mapped with a different collection type.'
L3063: aastore
L3064: aastore
L3065: dup
L3066: sipush 164
L3069: iconst_2
L3070: anewarray java/lang/Object
L3073: dup
L3074: iconst_0
L3075: ldc_w '181'
L3078: aastore
L3079: dup
L3080: iconst_1
L3081: ldc_w 'The AttributeTransformer class, [{0}] cannot be found.'
L3084: aastore
L3085: aastore
L3086: dup
L3087: sipush 165
L3090: iconst_2
L3091: anewarray java/lang/Object
L3094: dup
L3095: iconst_0
L3096: ldc_w '182'
L3099: aastore
L3100: dup
L3101: iconst_1
L3102: ldc_w 'The FieldTransformer class, [{0}] cannot be found.'
L3105: aastore
L3106: aastore
L3107: dup
L3108: sipush 166
L3111: iconst_2
L3112: anewarray java/lang/Object
L3115: dup
L3116: iconst_0
L3117: ldc_w '183'
L3120: aastore
L3121: dup
L3122: iconst_1
L3123: ldc_w 'The class, [{0}] cannot be used as an AttributeTransformer.'
L3126: aastore
L3127: aastore
L3128: dup
L3129: sipush 167
L3132: iconst_2
L3133: anewarray java/lang/Object
L3136: dup
L3137: iconst_0
L3138: ldc_w '184'
L3141: aastore
L3142: dup
L3143: iconst_1
L3144: ldc_w 'The class, [{0}] cannot be used as a FieldTransformer.'
L3147: aastore
L3148: aastore
L3149: dup
L3150: sipush 168
L3153: iconst_2
L3154: anewarray java/lang/Object
L3157: dup
L3158: iconst_0
L3159: ldc_w '185'
L3162: aastore
L3163: dup
L3164: iconst_1
L3165: ldc_w 'ReturningPolicy contains field, [{0}] with two different types: [{1}] and [{2}].'
L3168: aastore
L3169: aastore
L3170: dup
L3171: sipush 169
L3174: iconst_2
L3175: anewarray java/lang/Object
L3178: dup
L3179: iconst_0
L3180: ldc_w '186'
L3183: aastore
L3184: dup
L3185: iconst_1
L3186: ldc_w 'ReturningPolicy contains field, [{0}] added twice: using addInsertField and addInsertFieldReturnOnly.'
L3189: aastore
L3190: aastore
L3191: dup
L3192: sipush 170
L3195: iconst_2
L3196: anewarray java/lang/Object
L3199: dup
L3200: iconst_0
L3201: ldc_w '187'
L3204: aastore
L3205: dup
L3206: iconst_1
L3207: ldc_w 'ReturningPolicy contains field, [{0}] with type [{1}], but the same field in descriptor has type [{2}].'
L3210: aastore
L3211: aastore
L3212: dup
L3213: sipush 171
L3216: iconst_2
L3217: anewarray java/lang/Object
L3220: dup
L3221: iconst_0
L3222: ldc_w '188'
L3225: aastore
L3226: dup
L3227: iconst_1
L3228: ldc_w 'ReturningPolicy contains unmapped field, [{0}] which requires type.'
L3231: aastore
L3232: aastore
L3233: dup
L3234: sipush 172
L3237: iconst_2
L3238: anewarray java/lang/Object
L3241: dup
L3242: iconst_0
L3243: ldc_w '189'
L3246: aastore
L3247: dup
L3248: iconst_1
L3249: ldc_w 'ReturningPolicy contains mapped field, [{0}] which requires type.'
L3252: aastore
L3253: aastore
L3254: dup
L3255: sipush 173
L3258: iconst_2
L3259: anewarray java/lang/Object
L3262: dup
L3263: iconst_0
L3264: ldc_w '190'
L3267: aastore
L3268: dup
L3269: iconst_1
L3270: ldc_w 'ReturningPolicy contains field, [{0}] mapped with [{1}] mapping which is not supported.'
L3273: aastore
L3274: aastore
L3275: dup
L3276: sipush 174
L3279: iconst_2
L3280: anewarray java/lang/Object
L3283: dup
L3284: iconst_0
L3285: ldc_w '191'
L3288: aastore
L3289: dup
L3290: iconst_1
L3291: ldc_w 'ReturningPolicy contains field, [{0}] which is not supported: it is either sequence field, or class type indicator, or used for locking.'
L3294: aastore
L3295: aastore
L3296: dup
L3297: sipush 175
L3300: iconst_2
L3301: anewarray java/lang/Object
L3304: dup
L3305: iconst_0
L3306: ldc_w '192'
L3309: aastore
L3310: dup
L3311: iconst_1
L3312: ldc_w 'ReturningPolicy contains field, [{0}] but custom [{1}] does not output it.'
L3315: aastore
L3316: aastore
L3317: dup
L3318: sipush 176
L3321: iconst_2
L3322: anewarray java/lang/Object
L3325: dup
L3326: iconst_0
L3327: ldc_w '193'
L3330: aastore
L3331: dup
L3332: iconst_1
L3333: ldc_w 'There is no custom [{0}] set, but ReturningPolicy contains field(s) to be returned and [{1}] does not support generating call with returning.'
L3336: aastore
L3337: aastore
L3338: dup
L3339: sipush 177
L3342: iconst_2
L3343: anewarray java/lang/Object
L3346: dup
L3347: iconst_0
L3348: ldc_w '194'
L3351: aastore
L3352: dup
L3353: iconst_1
L3354: ldc_w "The class extraction method [{0}], must be a static method on the descriptor''s class."
L3357: aastore
L3358: aastore
L3359: dup
L3360: sipush 178
L3363: iconst_2
L3364: anewarray java/lang/Object
L3367: dup
L3368: iconst_0
L3369: ldc_w '195'
L3372: aastore
L3373: dup
L3374: iconst_1
L3375: ldc_w 'The shared class {1} must not reference the isolated class {0}.'
L3378: aastore
L3379: aastore
L3380: dup
L3381: sipush 179
L3384: iconst_2
L3385: anewarray java/lang/Object
L3388: dup
L3389: iconst_0
L3390: ldc_w '196'
L3393: aastore
L3394: dup
L3395: iconst_1
L3396: ldc_w 'UpdateAllFields has not been set or has been set to false. When using CMPPolicy.setForceUpdate(true) you must also call CMPPolicy.setUpdateAllFields(true)'
L3399: aastore
L3400: aastore
L3401: dup
L3402: sipush 180
L3405: iconst_2
L3406: anewarray java/lang/Object
L3409: dup
L3410: iconst_0
L3411: ldc_w '197'
L3414: aastore
L3415: dup
L3416: iconst_1
L3417: ldc_w 'The mapping [{0}] is not the appropriate type for this descriptor'
L3420: aastore
L3421: aastore
L3422: dup
L3423: sipush 181
L3426: iconst_2
L3427: anewarray java/lang/Object
L3430: dup
L3431: iconst_0
L3432: ldc_w '198'
L3435: aastore
L3436: dup
L3437: iconst_1
L3438: ldc_w 'In order to use ObjectChangeTrackingPolicy or AttributeChangeTrackingPolicy, {0} has to implement ChangeTracker interface.'
L3441: aastore
L3442: aastore
L3443: dup
L3444: sipush 182
L3447: iconst_2
L3448: anewarray java/lang/Object
L3451: dup
L3452: iconst_0
L3453: ldc_w '199'
L3456: aastore
L3457: dup
L3458: iconst_1
L3459: ldc_w 'In order to use Fetch Group, the domain class ({0}) has to implement FetchGroupTracker interface.'
L3462: aastore
L3463: aastore
L3464: dup
L3465: sipush 183
L3468: iconst_2
L3469: anewarray java/lang/Object
L3472: dup
L3473: iconst_0
L3474: ldc_w '200'
L3477: aastore
L3478: dup
L3479: iconst_1
L3480: ldc_w 'Attempt to register an object with dead indirection as a new object. Possibly the object was deleted or removed from the cache during a merge of a serialized clone. This is a concurrency violation, consider a locking strategy.'
L3483: aastore
L3484: aastore
L3485: dup
L3486: sipush 184
L3489: iconst_2
L3490: anewarray java/lang/Object
L3493: dup
L3494: iconst_0
L3495: ldc_w '201'
L3498: aastore
L3499: dup
L3500: iconst_1
L3501: ldc_w 'An object was attempted to be built in the session cache, but the descriptor is marked as isolated in the unit of work, so should never be accessed outside of a unit of work.'
L3504: aastore
L3505: aastore
L3506: dup
L3507: sipush 185
L3510: iconst_2
L3511: anewarray java/lang/Object
L3514: dup
L3515: iconst_0
L3516: ldc_w '202'
L3519: aastore
L3520: dup
L3521: iconst_1
L3522: ldc_w 'An internal error occurred accessing the primary key object [{0}].'
L3525: aastore
L3526: aastore
L3527: dup
L3528: sipush 186
L3531: iconst_2
L3532: anewarray java/lang/Object
L3535: dup
L3536: iconst_0
L3537: ldc_w '203'
L3540: aastore
L3541: dup
L3542: iconst_1
L3543: ldc_w 'An internal error occurred while accessing method [{1}] on class [{0}].'
L3546: aastore
L3547: aastore
L3548: dup
L3549: sipush 187
L3552: iconst_2
L3553: anewarray java/lang/Object
L3556: dup
L3557: iconst_0
L3558: ldc_w '204'
L3561: aastore
L3562: dup
L3563: iconst_1
L3564: ldc_w 'Insert table order contradicts to multiple tables foreign keys - according to the latter table [{0}] shouild be inserted before table [{1}].'
L3567: aastore
L3568: aastore
L3569: dup
L3570: sipush 188
L3573: iconst_2
L3574: anewarray java/lang/Object
L3577: dup
L3578: iconst_0
L3579: ldc_w '205'
L3582: aastore
L3583: dup
L3584: iconst_1
L3585: ldc_w 'Insert table order has cyclical dependency between tables [{0}] and [{1}].'
L3588: aastore
L3589: aastore
L3590: dup
L3591: sipush 189
L3594: iconst_2
L3595: anewarray java/lang/Object
L3598: dup
L3599: iconst_0
L3600: ldc_w '206'
L3603: aastore
L3604: dup
L3605: iconst_1
L3606: ldc_w 'Insert table order has cyclical dependency between three or more tables.'
L3609: aastore
L3610: aastore
L3611: dup
L3612: sipush 190
L3615: iconst_2
L3616: anewarray java/lang/Object
L3619: dup
L3620: iconst_0
L3621: ldc_w '207'
L3624: aastore
L3625: dup
L3626: iconst_1
L3627: ldc_w 'Insert table order is wrong: table [{0}] mapped to parent is specified to be inserted after table [{1}] mapped to child.'
L3630: aastore
L3631: aastore
L3632: dup
L3633: sipush 191
L3636: iconst_2
L3637: anewarray java/lang/Object
L3640: dup
L3641: iconst_0
L3642: ldc_w '208'
L3645: aastore
L3646: dup
L3647: iconst_1
L3648: ldc_w 'You are trying to set a Converter with class name [{1}] on a non-direct-mapping [{0}]. Only Direct Mappings are allowed to have converters. This usually happens when trying to set a key converter on a DirectMapMapping with a non-direct key.'
L3651: aastore
L3652: aastore
L3653: dup
L3654: sipush 192
L3657: iconst_2
L3658: anewarray java/lang/Object
L3661: dup
L3662: iconst_0
L3663: ldc_w '209'
L3666: aastore
L3667: dup
L3668: iconst_1
L3669: ldc_w 'This descriptor contains a mapping with a DirectMapMapping and no key field set.'
L3672: aastore
L3673: aastore
L3674: dup
L3675: sipush 193
L3678: iconst_2
L3679: anewarray java/lang/Object
L3682: dup
L3683: iconst_0
L3684: ldc_w '210'
L3687: aastore
L3688: dup
L3689: iconst_1
L3690: ldc_w '[{0}] has list order field set, but attribute does not implement List.'
L3693: aastore
L3694: aastore
L3695: dup
L3696: sipush 194
L3699: iconst_2
L3700: anewarray java/lang/Object
L3703: dup
L3704: iconst_0
L3705: ldc_w '211'
L3708: aastore
L3709: dup
L3710: iconst_1
L3711: ldc_w '[{0}] has list order field set and list order field validation mode is CORRECTION, that requires IndirectList to be assignable to the attribute.'
L3714: aastore
L3715: aastore
L3716: dup
L3717: sipush 195
L3720: iconst_2
L3721: anewarray java/lang/Object
L3724: dup
L3725: iconst_0
L3726: ldc_w '212'
L3729: aastore
L3730: dup
L3731: iconst_1
L3732: ldc_w 'List order field specified for [{0}] has a wrong table [{1}]. Must use {2} instead.'
L3735: aastore
L3736: aastore
L3737: dup
L3738: sipush 196
L3741: iconst_2
L3742: anewarray java/lang/Object
L3745: dup
L3746: iconst_0
L3747: ldc_w '213'
L3750: aastore
L3751: dup
L3752: iconst_1
L3753: ldc_w '{0} requires all target foreign key fields to belong to the same table, but several were found: {1}.'
L3756: aastore
L3757: aastore
L3758: dup
L3759: sipush 197
L3762: iconst_2
L3763: anewarray java/lang/Object
L3766: dup
L3767: iconst_0
L3768: ldc_w '214'
L3771: aastore
L3772: dup
L3773: iconst_1
L3774: ldc_w '{0} specifies relation table, that is not compatible with addForeignKey(Name) method, or use addSourceRelationKeyField(Name) and addTargetRelationKeyFieldName methods instead.'
L3777: aastore
L3778: aastore
L3779: dup
L3780: sipush 198
L3783: iconst_2
L3784: anewarray java/lang/Object
L3787: dup
L3788: iconst_0
L3789: ldc_w '215'
L3792: aastore
L3793: dup
L3794: iconst_1
L3795: ldc_w '{0} must have non-null RelationTableMechanism.'
L3798: aastore
L3799: aastore
L3800: dup
L3801: sipush 199
L3804: iconst_2
L3805: anewarray java/lang/Object
L3808: dup
L3809: iconst_0
L3810: ldc_w '216'
L3813: aastore
L3814: dup
L3815: iconst_1
L3816: ldc_w 'CacheKeyType cannot be ID_VALUE for a composite primary key..'
L3819: aastore
L3820: aastore
L3821: dup
L3822: sipush 200
L3825: iconst_2
L3826: anewarray java/lang/Object
L3829: dup
L3830: iconst_0
L3831: ldc_w '217'
L3834: aastore
L3835: dup
L3836: iconst_1
L3837: ldc_w 'Invalid XPath for XMLDirectMapping/XMLCompositeDirectCollectionMapping. XPath must either contain an @ symbol for attributes or end in /text() for text nodes. For example: "@name" or "name/text()"'
L3840: aastore
L3841: aastore
L3842: dup
L3843: sipush 201
L3846: iconst_2
L3847: anewarray java/lang/Object
L3850: dup
L3851: iconst_0
L3852: ldc_w '218'
L3855: aastore
L3856: dup
L3857: iconst_1
L3858: ldc_w [s408]
L3861: aastore
L3862: aastore
L3863: dup
L3864: sipush 202
L3867: iconst_2
L3868: anewarray java/lang/Object
L3871: dup
L3872: iconst_0
L3873: ldc_w '219'
L3876: aastore
L3877: dup
L3878: iconst_1
L3879: ldc_w 'The additional criteria from [{1}] is not allowed within an inheritance hierarchy using views.'
L3882: aastore
L3883: aastore
L3884: dup
L3885: sipush 203
L3888: iconst_2
L3889: anewarray java/lang/Object
L3892: dup
L3893: iconst_0
L3894: ldc_w '220'
L3897: aastore
L3898: dup
L3899: iconst_1
L3900: ldc_w 'Missing partitioning policy for name [{0}].'
L3903: aastore
L3904: aastore
L3905: dup
L3906: sipush 204
L3909: iconst_2
L3910: anewarray java/lang/Object
L3913: dup
L3914: iconst_0
L3915: ldc_w '221'
L3918: aastore
L3919: dup
L3920: iconst_1
L3921: ldc_w 'SerializedObjectPolicy field is not set.'
L3924: aastore
L3925: aastore
L3926: dup
L3927: sipush 205
L3930: iconst_2
L3931: anewarray java/lang/Object
L3934: dup
L3935: iconst_0
L3936: ldc_w '222'
L3939: aastore
L3940: dup
L3941: iconst_1
L3942: ldc_w 'An exception was thrown when trying to get a primary key class instance.'
L3945: aastore
L3946: aastore
L3947: putstatic Field DescriptorExceptionResource contents [[Ljava/lang/Object;
L3950: return
L3951:
.linenumbertable
L0 29
.end linenumbertable
.end code
.end method
.sourcefile 'DescriptorExceptionResource.java'
.const [s408] = String [u837]
.const [u837] = Utf8 'A NullPointerException would have occurred accessing a non-existent weaved _vh_ method [{0}]. The class was not weaved properly - for EE deployments, check the module order in the application.xml deployment descriptor and verify that the module containing the persistence unit is ahead of any other module that uses it.'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 07:35:20 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class DescriptorExceptionResource_ESTest extends DescriptorExceptionResource_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
DescriptorExceptionResource descriptorExceptionResource0 = new DescriptorExceptionResource();
Object[][] objectArray0 = descriptorExceptionResource0.getContents();
assertEquals(206, objectArray0.length);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 07:35:20 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class DescriptorExceptionResource_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "DescriptorExceptionResource";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpgz73pght");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DescriptorExceptionResource_ESTest_scaffolding.class.getClassLoader() ,
"DescriptorExceptionResource"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DescriptorExceptionResource_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"DescriptorExceptionResource"
);
}
}
| 12,161 |
WoodTexture | /*
* mGoban - GUI for Go
* Copyright (C) 2007, 2009, 2010 sanpo
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
import java.awt.Color;
import java.awt.Graphics2D;
import java.awt.LinearGradientPaint;
import java.awt.TexturePaint;
import java.awt.geom.AffineTransform;
import java.awt.geom.Point2D;
import java.awt.geom.Rectangle2D;
import java.awt.image.BufferedImage;
public class WoodTexture {
private static WoodTexture woodTexture = null;
private BufferedImage texture;
public static WoodTexture getInstance() {
if (woodTexture == null) {
woodTexture = new WoodTexture();
}
return woodTexture;
}
private WoodTexture() {
Color c0 = new Color(231, 190, 106);
Color c1 = new Color(232, 185, 96);
Color c2 = new Color(216, 168, 82);
Point2D start = new Point2D.Float(0, 0);
Point2D end = new Point2D.Float(100, 10);
float[] dist = {0.0f, 0.6f, 1.0f};
Color[] colors = {c0, c1, c2};
LinearGradientPaint p = new LinearGradientPaint(start, end, dist, colors);
texture = new BufferedImage(100, 10, BufferedImage.TYPE_INT_RGB);
Graphics2D g = texture.createGraphics();
g.setPaint(p);
g.fill(new Rectangle2D.Double(0, 0, 100, 10));
}
public BufferedImage getBufferedImage() {
return texture;
}
/*
public void paintWood(Graphics2D g2, int x, int y){
TexturePaint tp = new TexturePaint(texture, new Rectangle2D.Double(0.0, 0.0, 100.0, 10.0));
AffineTransform orig = g2.getTransform();
{
double sc = 25.0;
double d = unit * 0.15;
double xx = (unit * x + d) * sc;
double yy = (unit * y + d) * sc;
double w = (unit - 2 * d) * sc;
g2.scale( 1.0 / sc, 1.0 / sc);
g2.setPaint(tp);
g2.fill(new Rectangle2D.Double(xx, yy, w, w));
}
g2.setTransform(orig);
}
*/
public void draw(Graphics2D g2, double x, double y, double w, double h) {
TexturePaint tp = new TexturePaint(texture, new Rectangle2D.Double(0.0, 0.0, 100.0, 10.0));
AffineTransform orig = g2.getTransform();
{
double sc = 25.0;
g2.scale(1.0 / sc, 1.0 / sc);
g2.setPaint(tp);
g2.fill(new Rectangle2D.Double(x * sc, y * sc, w * sc, h * sc));
}
g2.setTransform(orig);
}
}
| .version 52 0
.class public super WoodTexture
.super java/lang/Object
.field private static woodTexture LWoodTexture;
.field private texture Ljava/awt/image/BufferedImage;
.method public static getInstance : ()LWoodTexture;
.code stack 2 locals 0
L0: getstatic Field WoodTexture woodTexture LWoodTexture;
L3: ifnonnull L16
L6: new WoodTexture
L9: dup
L10: invokespecial Method WoodTexture <init> ()V
L13: putstatic Field WoodTexture woodTexture LWoodTexture;
.stack same
L16: getstatic Field WoodTexture woodTexture LWoodTexture;
L19: areturn
L20:
.linenumbertable
L0 36
L6 37
L16 39
.end linenumbertable
.end code
.end method
.method private <init> : ()V
.code stack 11 locals 10
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: new java/awt/Color
L7: dup
L8: sipush 231
L11: sipush 190
L14: bipush 106
L16: invokespecial Method java/awt/Color <init> (III)V
L19: astore_1
L20: new java/awt/Color
L23: dup
L24: sipush 232
L27: sipush 185
L30: bipush 96
L32: invokespecial Method java/awt/Color <init> (III)V
L35: astore_2
L36: new java/awt/Color
L39: dup
L40: sipush 216
L43: sipush 168
L46: bipush 82
L48: invokespecial Method java/awt/Color <init> (III)V
L51: astore_3
L52: new java/awt/geom/Point2D$Float
L55: dup
L56: fconst_0
L57: fconst_0
L58: invokespecial Method java/awt/geom/Point2D$Float <init> (FF)V
L61: astore 4
L63: new java/awt/geom/Point2D$Float
L66: dup
L67: ldc +100.0f
L69: ldc +10.0f
L71: invokespecial Method java/awt/geom/Point2D$Float <init> (FF)V
L74: astore 5
L76: iconst_3
L77: newarray float
L79: dup
L80: iconst_0
L81: fconst_0
L82: fastore
L83: dup
L84: iconst_1
L85: ldc +0.6000000238418579f
L87: fastore
L88: dup
L89: iconst_2
L90: fconst_1
L91: fastore
L92: astore 6
L94: iconst_3
L95: anewarray java/awt/Color
L98: dup
L99: iconst_0
L100: aload_1
L101: aastore
L102: dup
L103: iconst_1
L104: aload_2
L105: aastore
L106: dup
L107: iconst_2
L108: aload_3
L109: aastore
L110: astore 7
L112: new java/awt/LinearGradientPaint
L115: dup
L116: aload 4
L118: aload 5
L120: aload 6
L122: aload 7
L124: invokespecial Method java/awt/LinearGradientPaint <init> (Ljava/awt/geom/Point2D;Ljava/awt/geom/Point2D;[F[Ljava/awt/Color;)V
L127: astore 8
L129: aload_0
L130: new java/awt/image/BufferedImage
L133: dup
L134: bipush 100
L136: bipush 10
L138: iconst_1
L139: invokespecial Method java/awt/image/BufferedImage <init> (III)V
L142: putfield Field WoodTexture texture Ljava/awt/image/BufferedImage;
L145: aload_0
L146: getfield Field WoodTexture texture Ljava/awt/image/BufferedImage;
L149: invokevirtual Method java/awt/image/BufferedImage createGraphics ()Ljava/awt/Graphics2D;
L152: astore 9
L154: aload 9
L156: aload 8
L158: invokevirtual Method java/awt/Graphics2D setPaint (Ljava/awt/Paint;)V
L161: aload 9
L163: new java/awt/geom/Rectangle2D$Double
L166: dup
L167: dconst_0
L168: dconst_0
L169: ldc2_w +100.0
L172: ldc2_w +10.0
L175: invokespecial Method java/awt/geom/Rectangle2D$Double <init> (DDDD)V
L178: invokevirtual Method java/awt/Graphics2D fill (Ljava/awt/Shape;)V
L181: return
L182:
.linenumbertable
L0 42
L4 43
L20 44
L36 45
L52 47
L63 48
L76 49
L94 50
L112 51
L129 53
L145 54
L154 56
L161 57
L181 59
.end linenumbertable
.end code
.end method
.method public getBufferedImage : ()Ljava/awt/image/BufferedImage;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field WoodTexture texture Ljava/awt/image/BufferedImage;
L4: areturn
L5:
.linenumbertable
L0 62
.end linenumbertable
.end code
.end method
.method public draw : (Ljava/awt/Graphics2D;DDDD)V
.code stack 13 locals 14
L0: new java/awt/TexturePaint
L3: dup
L4: aload_0
L5: getfield Field WoodTexture texture Ljava/awt/image/BufferedImage;
L8: new java/awt/geom/Rectangle2D$Double
L11: dup
L12: dconst_0
L13: dconst_0
L14: ldc2_w +100.0
L17: ldc2_w +10.0
L20: invokespecial Method java/awt/geom/Rectangle2D$Double <init> (DDDD)V
L23: invokespecial Method java/awt/TexturePaint <init> (Ljava/awt/image/BufferedImage;Ljava/awt/geom/Rectangle2D;)V
L26: astore 10
L28: aload_1
L29: invokevirtual Method java/awt/Graphics2D getTransform ()Ljava/awt/geom/AffineTransform;
L32: astore 11
L34: ldc2_w +25.0
L37: dstore 12
L39: aload_1
L40: dconst_1
L41: dload 12
L43: ddiv
L44: dconst_1
L45: dload 12
L47: ddiv
L48: invokevirtual Method java/awt/Graphics2D scale (DD)V
L51: aload_1
L52: aload 10
L54: invokevirtual Method java/awt/Graphics2D setPaint (Ljava/awt/Paint;)V
L57: aload_1
L58: new java/awt/geom/Rectangle2D$Double
L61: dup
L62: dload_2
L63: dload 12
L65: dmul
L66: dload 4
L68: dload 12
L70: dmul
L71: dload 6
L73: dload 12
L75: dmul
L76: dload 8
L78: dload 12
L80: dmul
L81: invokespecial Method java/awt/geom/Rectangle2D$Double <init> (DDDD)V
L84: invokevirtual Method java/awt/Graphics2D fill (Ljava/awt/Shape;)V
L87: aload_1
L88: aload 11
L90: invokevirtual Method java/awt/Graphics2D setTransform (Ljava/awt/geom/AffineTransform;)V
L93: return
L94:
.linenumbertable
L0 86
L28 88
L34 90
L39 92
L51 94
L57 95
L87 97
L93 98
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 1 locals 0
L0: aconst_null
L1: putstatic Field WoodTexture woodTexture LWoodTexture;
L4: return
L5:
.linenumbertable
L0 31
.end linenumbertable
.end code
.end method
.sourcefile 'WoodTexture.java'
.innerclasses
java/awt/geom/Point2D$Float java/awt/geom/Point2D Float public static
java/awt/geom/Rectangle2D$Double java/awt/geom/Rectangle2D Double public static
.end innerclasses
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 16:23:07 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.shaded.org.mockito.Mockito.*;
import java.awt.Graphics2D;
import java.awt.geom.AffineTransform;
import java.awt.image.BufferedImage;
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 WoodTexture_ESTest extends WoodTexture_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
WoodTexture woodTexture0 = WoodTexture.getInstance();
WoodTexture woodTexture1 = WoodTexture.getInstance();
assertSame(woodTexture1, woodTexture0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
WoodTexture woodTexture0 = WoodTexture.getInstance();
BufferedImage bufferedImage0 = woodTexture0.getBufferedImage();
assertEquals(10, bufferedImage0.getTileHeight());
assertEquals(100, bufferedImage0.getTileWidth());
}
@Test(timeout = 4000)
public void test2() throws Throwable {
WoodTexture woodTexture0 = WoodTexture.getInstance();
Graphics2D graphics2D0 = mock(Graphics2D.class, new ViolatedAssumptionAnswer());
doReturn((AffineTransform) null).when(graphics2D0).getTransform();
woodTexture0.draw(graphics2D0, 41211.0, 41211.0, 41211.0, (-45532.606612));
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 16:23:07 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
import static org.evosuite.shaded.org.mockito.Mockito.*;
@EvoSuiteClassExclude
public class WoodTexture_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "WoodTexture";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.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/tmpb4og_876");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(WoodTexture_ESTest_scaffolding.class.getClassLoader() ,
"WoodTexture"
);
}
private static void initMocksToAvoidTimeoutsInTheTests() throws ClassNotFoundException {
mock(Class.forName("java.awt.Graphics2D", false, WoodTexture_ESTest_scaffolding.class.getClassLoader()));
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(WoodTexture_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"WoodTexture"
);
}
}
| 12,162 |
Highlight | import java.util.ArrayList;
import java.util.List;
/** Created by tinysou on 14-10-13. */
public class Highlight {
protected List<String> body = new ArrayList<String>();
protected List<String> title = new ArrayList<String>();
protected List<String> sections = new ArrayList<String>();
public void setBody(List<String> body) {
this.body = body;
}
public List<String> getBody() {
return body;
}
public void setTitle(List<String> title) {
this.title = title;
}
public List<String> getTitle() {
return title;
}
public void setSections(List<String> sections) {
this.sections = sections;
}
public List<String> getSections() {
return sections;
}
}
| .version 52 0
.class public super Highlight
.super java/lang/Object
.field protected body Ljava/util/List; .fieldattributes
.signature Ljava/util/List<Ljava/lang/String;>;
.end fieldattributes
.field protected title Ljava/util/List; .fieldattributes
.signature Ljava/util/List<Ljava/lang/String;>;
.end fieldattributes
.field protected sections Ljava/util/List; .fieldattributes
.signature Ljava/util/List<Ljava/lang/String;>;
.end fieldattributes
.method public <init> : ()V
.code stack 3 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: new java/util/ArrayList
L8: dup
L9: invokespecial Method java/util/ArrayList <init> ()V
L12: putfield Field Highlight body Ljava/util/List;
L15: aload_0
L16: new java/util/ArrayList
L19: dup
L20: invokespecial Method java/util/ArrayList <init> ()V
L23: putfield Field Highlight title Ljava/util/List;
L26: aload_0
L27: new java/util/ArrayList
L30: dup
L31: invokespecial Method java/util/ArrayList <init> ()V
L34: putfield Field Highlight sections Ljava/util/List;
L37: return
L38:
.linenumbertable
L0 9
L4 10
L15 11
L26 12
.end linenumbertable
.end code
.end method
.method public setBody : (Ljava/util/List;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Highlight body Ljava/util/List;
L5: return
L6:
.linenumbertable
L0 15
L5 16
.end linenumbertable
.end code
.signature (Ljava/util/List<Ljava/lang/String;>;)V
.end method
.method public getBody : ()Ljava/util/List;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Highlight body Ljava/util/List;
L4: areturn
L5:
.linenumbertable
L0 19
.end linenumbertable
.end code
.signature ()Ljava/util/List<Ljava/lang/String;>;
.end method
.method public setTitle : (Ljava/util/List;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Highlight title Ljava/util/List;
L5: return
L6:
.linenumbertable
L0 23
L5 24
.end linenumbertable
.end code
.signature (Ljava/util/List<Ljava/lang/String;>;)V
.end method
.method public getTitle : ()Ljava/util/List;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Highlight title Ljava/util/List;
L4: areturn
L5:
.linenumbertable
L0 27
.end linenumbertable
.end code
.signature ()Ljava/util/List<Ljava/lang/String;>;
.end method
.method public setSections : (Ljava/util/List;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Highlight sections Ljava/util/List;
L5: return
L6:
.linenumbertable
L0 31
L5 32
.end linenumbertable
.end code
.signature (Ljava/util/List<Ljava/lang/String;>;)V
.end method
.method public getSections : ()Ljava/util/List;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Highlight sections Ljava/util/List;
L4: areturn
L5:
.linenumbertable
L0 35
.end linenumbertable
.end code
.signature ()Ljava/util/List<Ljava/lang/String;>;
.end method
.sourcefile 'Highlight.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 16:28:18 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.util.LinkedList;
import java.util.List;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Highlight_ESTest extends Highlight_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Highlight highlight0 = new Highlight();
highlight0.setTitle((List<String>) null);
List<String> list0 = highlight0.getTitle();
assertNull(list0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
LinkedList<String> linkedList0 = new LinkedList<String>();
linkedList0.add((String) null);
Highlight highlight0 = new Highlight();
highlight0.title = (List<String>) linkedList0;
List<String> list0 = highlight0.getTitle();
assertEquals(1, list0.size());
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Highlight highlight0 = new Highlight();
highlight0.setSections((List<String>) null);
List<String> list0 = highlight0.getSections();
assertNull(list0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Highlight highlight0 = new Highlight();
LinkedList<String> linkedList0 = new LinkedList<String>();
linkedList0.add((String) null);
highlight0.setSections(linkedList0);
List<String> list0 = highlight0.getSections();
assertEquals(1, list0.size());
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Highlight highlight0 = new Highlight();
highlight0.setBody((List<String>) null);
List<String> list0 = highlight0.getBody();
assertNull(list0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Highlight highlight0 = new Highlight();
LinkedList<String> linkedList0 = new LinkedList<String>();
linkedList0.add((String) null);
highlight0.setBody(linkedList0);
List<String> list0 = highlight0.getBody();
assertFalse(list0.isEmpty());
}
@Test(timeout = 4000)
public void test6() throws Throwable {
Highlight highlight0 = new Highlight();
List<String> list0 = highlight0.getTitle();
highlight0.setSections(list0);
assertTrue(list0.isEmpty());
}
@Test(timeout = 4000)
public void test7() throws Throwable {
Highlight highlight0 = new Highlight();
List<String> list0 = highlight0.getBody();
assertTrue(list0.isEmpty());
}
@Test(timeout = 4000)
public void test8() throws Throwable {
Highlight highlight0 = new Highlight();
List<String> list0 = highlight0.getSections();
assertTrue(list0.isEmpty());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 16:28:18 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Highlight_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Highlight";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpu9oagz3x");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Highlight_ESTest_scaffolding.class.getClassLoader() ,
"Highlight"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Highlight_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Highlight"
);
}
}
| 12,163 |
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.reactnativenwreactcalculator";
public static final String BUILD_TYPE = "debug";
public static final String FLAVOR = "";
public static final int VERSION_CODE = 1;
public static final String VERSION_NAME = "1.0";
}
| .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.reactnativenwreactcalculator'
.field public static final BUILD_TYPE Ljava/lang/String; = 'debug'
.field public static final FLAVOR Ljava/lang/String; = ''
.field public static final VERSION_CODE I = 1
.field public static final VERSION_NAME Ljava/lang/String; = '1.0'
.method 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
* Mon Jul 04 05:30: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 BuildConfig_ESTest extends BuildConfig_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
BuildConfig buildConfig0 = new BuildConfig();
assertEquals(1, BuildConfig.VERSION_CODE);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 05:30: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 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/tmpyhp6t4tf");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.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"
);
}
}
| 12,164 |
Type | /*
* ThunderNetwork - Server Client Architecture to send Off-Chain Bitcoin Payments
* Copyright (C) 2015 Mats Jerratsch <matsjj@gmail.com>
*
* 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/>.
*/
public class Type {
public static int FAILURE = 000;
public static int ESTABLISH_CHANNEL_ONE_REQUEST = 110;
public static int ESTABLISH_CHANNEL_ONE_RESPONSE = 111;
public static int ESTABLISH_CHANNEL_TWO_REQUEST = 120;
public static int ESTABLISH_CHANNEL_TWO_RESPONSE = 121;
public static int ESTABLISH_CHANNEL_THREE_REQUEST = 130;
public static int ESTABLISH_CHANNEL_THREE_RESPONSE = 131;
public static int SEND_PAYMENT_ONE_REQUEST = 210;
public static int SEND_PAYMENT_ONE_RESPONSE = 211;
public static int SEND_PAYMENT_TWO_REQUEST = 220;
public static int SEND_PAYMENT_TWO_RESPONSE = 221;
public static int SEND_PAYMENT_THREE_REQUEST = 230;
public static int SEND_PAYMENT_THREE_RESPONSE = 231;
public static int SEND_PAYMENT_FOUR_REQUEST = 240;
public static int SEND_PAYMENT_FOUR_RESPONSE = 241;
public static int ADD_KEYS_REQUEST = 310;
public static int ADD_KEYS_RESPONSE = 311;
public static int UPDATE_CHANNEL_ONE_REQUEST = 410;
public static int UPDATE_CHANNEL_ONE_RESPONSE = 411;
public static int UPDATE_CHANNEL_TWO_REQUEST = 420;
public static int UPDATE_CHANNEL_TWO_RESPONSE = 421;
public static int UPDATE_CHANNEL_THREE_REQUEST = 430;
public static int UPDATE_CHANNEL_THREE_RESPONSE = 431;
public static int UPDATE_CHANNEL_FOUR_REQUEST = 440;
public static int UPDATE_CHANNEL_FOUR_RESPONSE = 441;
public static int UPDATE_CHANNEL_FIVE_REQUEST = 450;
public static int UPDATE_CHANNEL_FIVE_RESPONSE = 451;
public static int CLOSE_CHANNEL_REQUEST = 510;
public static int CLOSE_CHANNEL_RESPONSE = 511;
public static int WEBSOCKET_OPEN = 610;
public static int WEBSOCKET_NEW_PAYMENT = 620;
}
| .version 52 0
.class public super Type
.super java/lang/Object
.field public static FAILURE I
.field public static ESTABLISH_CHANNEL_ONE_REQUEST I
.field public static ESTABLISH_CHANNEL_ONE_RESPONSE I
.field public static ESTABLISH_CHANNEL_TWO_REQUEST I
.field public static ESTABLISH_CHANNEL_TWO_RESPONSE I
.field public static ESTABLISH_CHANNEL_THREE_REQUEST I
.field public static ESTABLISH_CHANNEL_THREE_RESPONSE I
.field public static SEND_PAYMENT_ONE_REQUEST I
.field public static SEND_PAYMENT_ONE_RESPONSE I
.field public static SEND_PAYMENT_TWO_REQUEST I
.field public static SEND_PAYMENT_TWO_RESPONSE I
.field public static SEND_PAYMENT_THREE_REQUEST I
.field public static SEND_PAYMENT_THREE_RESPONSE I
.field public static SEND_PAYMENT_FOUR_REQUEST I
.field public static SEND_PAYMENT_FOUR_RESPONSE I
.field public static ADD_KEYS_REQUEST I
.field public static ADD_KEYS_RESPONSE I
.field public static UPDATE_CHANNEL_ONE_REQUEST I
.field public static UPDATE_CHANNEL_ONE_RESPONSE I
.field public static UPDATE_CHANNEL_TWO_REQUEST I
.field public static UPDATE_CHANNEL_TWO_RESPONSE I
.field public static UPDATE_CHANNEL_THREE_REQUEST I
.field public static UPDATE_CHANNEL_THREE_RESPONSE I
.field public static UPDATE_CHANNEL_FOUR_REQUEST I
.field public static UPDATE_CHANNEL_FOUR_RESPONSE I
.field public static UPDATE_CHANNEL_FIVE_REQUEST I
.field public static UPDATE_CHANNEL_FIVE_RESPONSE I
.field public static CLOSE_CHANNEL_REQUEST I
.field public static CLOSE_CHANNEL_RESPONSE I
.field public static WEBSOCKET_OPEN I
.field public static WEBSOCKET_NEW_PAYMENT 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 20
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 1 locals 0
L0: iconst_0
L1: putstatic Field Type FAILURE I
L4: bipush 110
L6: putstatic Field Type ESTABLISH_CHANNEL_ONE_REQUEST I
L9: bipush 111
L11: putstatic Field Type ESTABLISH_CHANNEL_ONE_RESPONSE I
L14: bipush 120
L16: putstatic Field Type ESTABLISH_CHANNEL_TWO_REQUEST I
L19: bipush 121
L21: putstatic Field Type ESTABLISH_CHANNEL_TWO_RESPONSE I
L24: sipush 130
L27: putstatic Field Type ESTABLISH_CHANNEL_THREE_REQUEST I
L30: sipush 131
L33: putstatic Field Type ESTABLISH_CHANNEL_THREE_RESPONSE I
L36: sipush 210
L39: putstatic Field Type SEND_PAYMENT_ONE_REQUEST I
L42: sipush 211
L45: putstatic Field Type SEND_PAYMENT_ONE_RESPONSE I
L48: sipush 220
L51: putstatic Field Type SEND_PAYMENT_TWO_REQUEST I
L54: sipush 221
L57: putstatic Field Type SEND_PAYMENT_TWO_RESPONSE I
L60: sipush 230
L63: putstatic Field Type SEND_PAYMENT_THREE_REQUEST I
L66: sipush 231
L69: putstatic Field Type SEND_PAYMENT_THREE_RESPONSE I
L72: sipush 240
L75: putstatic Field Type SEND_PAYMENT_FOUR_REQUEST I
L78: sipush 241
L81: putstatic Field Type SEND_PAYMENT_FOUR_RESPONSE I
L84: sipush 310
L87: putstatic Field Type ADD_KEYS_REQUEST I
L90: sipush 311
L93: putstatic Field Type ADD_KEYS_RESPONSE I
L96: sipush 410
L99: putstatic Field Type UPDATE_CHANNEL_ONE_REQUEST I
L102: sipush 411
L105: putstatic Field Type UPDATE_CHANNEL_ONE_RESPONSE I
L108: sipush 420
L111: putstatic Field Type UPDATE_CHANNEL_TWO_REQUEST I
L114: sipush 421
L117: putstatic Field Type UPDATE_CHANNEL_TWO_RESPONSE I
L120: sipush 430
L123: putstatic Field Type UPDATE_CHANNEL_THREE_REQUEST I
L126: sipush 431
L129: putstatic Field Type UPDATE_CHANNEL_THREE_RESPONSE I
L132: sipush 440
L135: putstatic Field Type UPDATE_CHANNEL_FOUR_REQUEST I
L138: sipush 441
L141: putstatic Field Type UPDATE_CHANNEL_FOUR_RESPONSE I
L144: sipush 450
L147: putstatic Field Type UPDATE_CHANNEL_FIVE_REQUEST I
L150: sipush 451
L153: putstatic Field Type UPDATE_CHANNEL_FIVE_RESPONSE I
L156: sipush 510
L159: putstatic Field Type CLOSE_CHANNEL_REQUEST I
L162: sipush 511
L165: putstatic Field Type CLOSE_CHANNEL_RESPONSE I
L168: sipush 610
L171: putstatic Field Type WEBSOCKET_OPEN I
L174: sipush 620
L177: putstatic Field Type WEBSOCKET_NEW_PAYMENT I
L180: return
L181:
.linenumbertable
L0 22
L4 23
L9 24
L14 25
L19 26
L24 27
L30 28
L36 30
L42 31
L48 32
L54 33
L60 34
L66 35
L72 36
L78 37
L84 39
L90 40
L96 42
L102 43
L108 44
L114 45
L120 46
L126 47
L132 48
L138 49
L144 50
L150 51
L156 53
L162 54
L168 56
L174 57
.end linenumbertable
.end code
.end method
.sourcefile 'Type.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 17:00:18 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Type_ESTest extends Type_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Type type0 = new Type();
assertEquals(410, Type.UPDATE_CHANNEL_ONE_REQUEST);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 17:00:18 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Type_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Type";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmptw6a3lhk");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Type_ESTest_scaffolding.class.getClassLoader() ,
"Type"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Type_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Type"
);
}
}
| 12,165 |
GameService | import java.util.Vector;
/**
* Class for business logic.
*
* @author collion
*/
public class GameService {
/**
* Calculates the average of seconds elapsed between consecutive clicks on black tiles.
*
* @param timeDifferenceBetweenBlackTilesClickedInSeconds - vector of elapsed seconds between two
* consecutive clicks on black tiles
* @return - the average of seconds elapsed between consecutive clicks on black tiles
*/
public static double calculateAverageClickTime(
Vector<Double> timeDifferenceBetweenBlackTilesClickedInSeconds) {
double sumOfSecondsBetweenClicks = 0;
for (int indexOfVector = 0;
indexOfVector < timeDifferenceBetweenBlackTilesClickedInSeconds.size();
indexOfVector++) {
sumOfSecondsBetweenClicks +=
timeDifferenceBetweenBlackTilesClickedInSeconds.get(indexOfVector);
}
return sumOfSecondsBetweenClicks / timeDifferenceBetweenBlackTilesClickedInSeconds.size();
}
}
| .version 52 0
.class public super GameService
.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 calculateAverageClickTime : (Ljava/util/Vector;)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: invokevirtual Method java/util/Vector size ()I
L9: if_icmpge L32
L12: dload_1
L13: aload_0
L14: iload_3
L15: invokevirtual Method java/util/Vector get (I)Ljava/lang/Object;
L18: checkcast java/lang/Double
L21: invokevirtual Method java/lang/Double doubleValue ()D
L24: dadd
L25: dstore_1
L26: iinc 3 1
L29: goto L4
.stack chop 1
L32: dload_1
L33: aload_0
L34: invokevirtual Method java/util/Vector size ()I
L37: i2d
L38: ddiv
L39: dreturn
L40:
.linenumbertable
L0 23
L2 25
L6 26
L12 27
L26 26
L32 30
.end linenumbertable
.end code
.signature (Ljava/util/Vector<Ljava/lang/Double;>;)D
.end method
.sourcefile 'GameService.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 12:39:59 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.util.Vector;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class GameService_ESTest extends GameService_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Vector<Double> vector0 = new Vector<Double>();
Double double0 = new Double(0.0);
vector0.add(double0);
GameService.calculateAverageClickTime(vector0);
GameService gameService0 = new GameService();
double double1 = GameService.calculateAverageClickTime(vector0);
assertEquals(0.0, double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Vector<Double> vector0 = new Vector<Double>();
Double double0 = Double.valueOf(51629.45455);
vector0.add(double0);
double double1 = GameService.calculateAverageClickTime(vector0);
assertEquals(51629.45455, double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Vector<Double> vector0 = new Vector<Double>();
Double double0 = new Double((-1.0));
vector0.insertElementAt(double0, 0);
double double1 = GameService.calculateAverageClickTime(vector0);
assertEquals((-1.0), double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Vector<Double> vector0 = new Vector<Double>();
Double double0 = new Double(Double.NaN);
vector0.add(double0);
double double1 = GameService.calculateAverageClickTime(vector0);
assertEquals(Double.NaN, double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Vector<Double> vector0 = new Vector<Double>();
GameService.calculateAverageClickTime(vector0);
GameService gameService0 = new GameService();
double double0 = GameService.calculateAverageClickTime(vector0);
assertEquals(Double.NaN, double0, 1.0E-4);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 12:39: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 GameService_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "GameService";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpzgu4y4k0");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(GameService_ESTest_scaffolding.class.getClassLoader() ,
"GameService"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(GameService_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"GameService"
);
}
}
| 12,166 |
CompressUtil | import java.io.ByteArrayInputStream;
import java.io.ByteArrayOutputStream;
import java.util.zip.GZIPInputStream;
import java.util.zip.GZIPOutputStream;
/**
* 压缩和解压缩帮助类
*
* @author yzb
*/
public class CompressUtil {
/**
* 压缩
*
* @param str 待压缩的字符串
* @return 压缩字符串
*/
public static String compress(String str) {
return compress(str, "utf-8");
}
/**
* 压缩
*
* @param str 待压缩的字符串
* @param charset 字符编码
* @return 压缩字符串
*/
public static String compress(String str, String charset) {
if (str == null || str.length() == 0) {
return str;
}
ByteArrayOutputStream out = new ByteArrayOutputStream();
try {
GZIPOutputStream gzip = new GZIPOutputStream(out);
gzip.write(str.getBytes(charset));
gzip.close();
return out.toString("ISO-8859-1");
} catch (Exception ex) {
ex.printStackTrace();
}
return null;
}
/**
* 解压缩
*
* @param str 压缩字符串
* @return 解压字符串
*/
public static String uncompress(String str) {
return uncompress(str, "utf-8");
}
/**
* 解压缩
*
* @param str 压缩字符串
* @param charset 字符编码
* @return 解压字符串
*/
public static String uncompress(String str, String charset) {
if (str == null || str.length() == 0) {
return str;
}
byte[] buffer = new byte[256];
ByteArrayOutputStream out = new ByteArrayOutputStream();
try {
ByteArrayInputStream in = new ByteArrayInputStream(str.getBytes("ISO-8859-1"));
GZIPInputStream gunzip = new GZIPInputStream(in);
int n;
while ((n = gunzip.read(buffer)) >= 0) {
out.write(buffer, 0, n);
}
return out.toString(charset);
} catch (Exception ex) {
ex.printStackTrace();
}
return null;
}
}
| .version 52 0
.class public super CompressUtil
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 14
.end linenumbertable
.end code
.end method
.method public static compress : (Ljava/lang/String;)Ljava/lang/String;
.code stack 2 locals 1
L0: aload_0
L1: ldc 'utf-8'
L3: invokestatic Method CompressUtil compress (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String;
L6: areturn
L7:
.linenumbertable
L0 24
.end linenumbertable
.end code
.end method
.method public static compress : (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String;
.code stack 3 locals 4
L0: aload_0
L1: ifnull L11
L4: aload_0
L5: invokevirtual Method java/lang/String length ()I
L8: ifne L13
.stack same
L11: aload_0
L12: areturn
.stack same
L13: new java/io/ByteArrayOutputStream
L16: dup
L17: invokespecial Method java/io/ByteArrayOutputStream <init> ()V
L20: astore_2
.catch java/lang/Exception from L21 to L49 using L50
L21: new java/util/zip/GZIPOutputStream
L24: dup
L25: aload_2
L26: invokespecial Method java/util/zip/GZIPOutputStream <init> (Ljava/io/OutputStream;)V
L29: astore_3
L30: aload_3
L31: aload_0
L32: aload_1
L33: invokevirtual Method java/lang/String getBytes (Ljava/lang/String;)[B
L36: invokevirtual Method java/util/zip/GZIPOutputStream write ([B)V
L39: aload_3
L40: invokevirtual Method java/util/zip/GZIPOutputStream close ()V
L43: aload_2
L44: ldc 'ISO-8859-1'
L46: invokevirtual Method java/io/ByteArrayOutputStream toString (Ljava/lang/String;)Ljava/lang/String;
L49: areturn
.stack full
locals Object java/lang/String Object java/lang/String Object java/io/ByteArrayOutputStream
stack Object java/lang/Exception
.end stack
L50: astore_3
L51: aload_3
L52: invokevirtual Method java/lang/Exception printStackTrace ()V
L55: aconst_null
L56: areturn
L57:
.linenumbertable
L0 37
L11 38
L13 40
L21 42
L30 43
L39 44
L43 45
L50 46
L51 47
L55 49
.end linenumbertable
.end code
.end method
.method public static uncompress : (Ljava/lang/String;)Ljava/lang/String;
.code stack 2 locals 1
L0: aload_0
L1: ldc 'utf-8'
L3: invokestatic Method CompressUtil uncompress (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String;
L6: areturn
L7:
.linenumbertable
L0 60
.end linenumbertable
.end code
.end method
.method public static uncompress : (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String;
.code stack 4 locals 7
L0: aload_0
L1: ifnull L11
L4: aload_0
L5: invokevirtual Method java/lang/String length ()I
L8: ifne L13
.stack same
L11: aload_0
L12: areturn
.stack same
L13: sipush 256
L16: newarray byte
L18: astore_2
L19: new java/io/ByteArrayOutputStream
L22: dup
L23: invokespecial Method java/io/ByteArrayOutputStream <init> ()V
L26: astore_3
.catch java/lang/Exception from L27 to L81 using L82
L27: new java/io/ByteArrayInputStream
L30: dup
L31: aload_0
L32: ldc 'ISO-8859-1'
L34: invokevirtual Method java/lang/String getBytes (Ljava/lang/String;)[B
L37: invokespecial Method java/io/ByteArrayInputStream <init> ([B)V
L40: astore 4
L42: new java/util/zip/GZIPInputStream
L45: dup
L46: aload 4
L48: invokespecial Method java/util/zip/GZIPInputStream <init> (Ljava/io/InputStream;)V
L51: astore 5
.stack full
locals Object java/lang/String Object java/lang/String Object [B Object java/io/ByteArrayOutputStream Object java/io/ByteArrayInputStream Object java/util/zip/GZIPInputStream
stack
.end stack
L53: aload 5
L55: aload_2
L56: invokevirtual Method java/util/zip/GZIPInputStream read ([B)I
L59: dup
L60: istore 6
L62: iflt L76
L65: aload_3
L66: aload_2
L67: iconst_0
L68: iload 6
L70: invokevirtual Method java/io/ByteArrayOutputStream write ([BII)V
L73: goto L53
.stack append Integer
L76: aload_3
L77: aload_1
L78: invokevirtual Method java/io/ByteArrayOutputStream toString (Ljava/lang/String;)Ljava/lang/String;
L81: areturn
.stack full
locals Object java/lang/String Object java/lang/String Object [B Object java/io/ByteArrayOutputStream
stack Object java/lang/Exception
.end stack
L82: astore 4
L84: aload 4
L86: invokevirtual Method java/lang/Exception printStackTrace ()V
L89: aconst_null
L90: areturn
L91:
.linenumbertable
L0 73
L11 74
L13 76
L19 77
L27 79
L34 80
L42 81
L53 83
L65 84
L76 86
L82 87
L84 88
L89 90
.end linenumbertable
.end code
.end method
.sourcefile 'CompressUtil.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 07:28:13 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class CompressUtil_ESTest extends CompressUtil_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
CompressUtil.uncompress("\u001F\u008B\b\u0000\u0000\u0000\u0000\u0000\u0000\u0000+t\u00B0\u00F3r.\u0000\u0000\u00F0\u00CD\u00E7\u00CF\u0006\u0000\u0000\u0000", "'(%3gT_@mI%+");
CompressUtil.uncompress("\u001F\u008B\b\u0000\u0000\u0000\u0000\u0000\u0000\u0000+t\u00B0\u00F3r.\u0000\u0000\u00F0\u00CD\u00E7\u00CF\u0006\u0000\u0000\u0000");
CompressUtil.compress("q@>JCp", "");
String string0 = CompressUtil.uncompress("W33!U&WE", "'(%3gT_@mI%+");
assertNull(string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
String string0 = CompressUtil.compress("s", "ISO-8859-1");
assertEquals("\u001F\u008B\b\u0000\u0000\u0000\u0000\u0000\u0000\u0000+\u0006\u0000\u000B\u00CF\u000E\u001B\u0001\u0000\u0000\u0000", string0);
assertNotNull(string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
String string0 = CompressUtil.compress("q@>JCp");
assertEquals("\u001F\u008B\b\u0000\u0000\u0000\u0000\u0000\u0000\u0000+t\u00B0\u00F3r.\u0000\u0000\u00F0\u00CD\u00E7\u00CF\u0006\u0000\u0000\u0000", string0);
assertNotNull(string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
String string0 = CompressUtil.compress("");
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
String string0 = CompressUtil.uncompress("", (String) null);
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
String string0 = CompressUtil.uncompress("\u001F\u008B\b\u0000\u0000\u0000\u0000\u0000\u0000\u0000+\u0006\u0000\u000B\u00CF\u000E\u001B\u0001\u0000\u0000\u0000", "ISO-8859-1");
assertEquals("s", string0);
assertNotNull(string0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
String string0 = CompressUtil.uncompress((String) null, "");
assertNull(string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
String string0 = CompressUtil.compress((String) null, "YW");
assertNull(string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
String string0 = CompressUtil.uncompress("");
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
String string0 = CompressUtil.uncompress((String) null);
assertNull(string0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
String string0 = CompressUtil.compress("", "wK&J*se0IcF");
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
CompressUtil compressUtil0 = new CompressUtil();
}
@Test(timeout = 4000)
public void test12() throws Throwable {
String string0 = CompressUtil.compress((String) null);
assertNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 07:28: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 CompressUtil_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "CompressUtil";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmplu83ncs6");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CompressUtil_ESTest_scaffolding.class.getClassLoader() ,
"CompressUtil"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CompressUtil_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"CompressUtil"
);
}
}
| 12,167 |
NashSutcliffe | /*
* NashSutcliffe.java
*
* Created on 30. November 2005, 12:15
*
* To change this template, choose Tools | Options and locate the template under
* the Source Creation and Management node. Right-click the template and choose
* Open. You can then make changes to the template in the Source Editor.
*/
/**
* @author Peter Krause
*/
public class NashSutcliffe {
/** Creates a new instance of NashSutcliffe */
public NashSutcliffe() {}
/**
* Calculates the efficiency between a test data set and a verification data set after Nash &
* Sutcliffe (1970). The efficiency is described as the proportion of the cumulated cubic
* deviation between both data sets and the cumulated cubic deviation between the verification
* data set and its mean value.
*
* @param predicition the simulation data set
* @param validation the validation (observed) data set
* @param pow the power for the deviation terms
* @return the calculated efficiency or Double.NEGATIVE_INFINITY if an error occurs
*/
public static double efficiency(double[] prediction, double[] validation, double pow) {
int pre_size = prediction.length;
int val_size = validation.length;
int steps = 0;
double sum_td = 0;
double sum_vd = 0;
/** checking if both data arrays have the same number of elements */
if (pre_size != val_size) {
System.err.println("Prediction data and validation data are not consistent!");
return Double.NEGATIVE_INFINITY;
} else {
steps = pre_size;
}
/** summing up both data sets */
for (int i = 0; i < steps; i++) {
sum_td = sum_td + prediction[i];
sum_vd = sum_vd + validation[i];
}
/** calculating mean values for both data sets */
double mean_td = sum_td / steps;
double mean_vd = sum_vd / steps;
/** calculating mean pow deviations */
double td_vd = 0;
double vd_mean = 0;
for (int i = 0; i < steps; i++) {
td_vd = td_vd + (Math.pow((Math.abs(validation[i] - prediction[i])), pow));
vd_mean = vd_mean + (Math.pow((Math.abs(validation[i] - mean_vd)), pow));
}
/** calculating efficiency after Nash & Sutcliffe (1970) */
double efficiency = 1 - (td_vd / vd_mean);
return efficiency;
}
/**
* Calculates the efficiency between the log values of a test data set and a verification data set
* after Nash & Sutcliffe (1970). The efficiency is described as the proportion of the cumulated
* cubic deviation between both data sets and the cumulated cubic deviation between the
* verification data set and its mean value. If either prediction or validation has a value of <=
* 0 then the pair is ommited from the calculation and a message is put to system out.
*
* @param predicition the simulation data set
* @param validation the validation (observed) data set
* @param pow the power for the deviation terms
* @return the calculated log_efficiency or Double.NEGATIVE_INFINITY if an error occurs
*/
public static double logEfficiency(double[] prediction, double[] validation, double pow) {
int pre_size = prediction.length;
int val_size = validation.length;
int steps = 0;
double sum_log_pd = 0;
double sum_log_vd = 0;
/** checking if both data arrays have the same number of elements */
if (pre_size != val_size) {
System.err.println("Prediction data and validation data are not consistent!");
return Double.NEGATIVE_INFINITY;
} else {
steps = pre_size;
}
/** calculating logarithmic values of both data sets. Sets 0 if data is 0 */
double[] log_preData = new double[pre_size];
double[] log_valData = new double[val_size];
int validPairs = 0;
for (int i = 0; i < steps; i++) {
// either prediction or validation shows a value of zero
// in this case the pair is excluded from the further calculation,
// simply by setting the values to -1 and not increasing valid pairs
if (prediction[i] <= 0 || validation[i] <= 0) {
log_preData[i] = -1;
log_valData[i] = -1;
}
// both prediction and validation shows a value of exact zero
// in this case the pair is taken as a perfect fit and included
// into the further calculation
if (prediction[i] == 0 && validation[i] == 0) {
log_preData[i] = 0;
log_valData[i] = 0;
validPairs++;
}
// both prediction and validation are greater than zero
// no problem for the calculation
if (prediction[i] > 0 && validation[i] > 0) {
log_preData[i] = Math.log(prediction[i]);
log_valData[i] = Math.log(validation[i]);
validPairs++;
}
}
/** summing up both data sets */
for (int i = 0; i < steps; i++) {
if (log_preData[i] >= 0) {
sum_log_pd = sum_log_pd + log_preData[i];
sum_log_vd = sum_log_vd + log_valData[i];
}
}
/** calculating mean values for both data sets */
double mean_log_pd = sum_log_pd / validPairs;
double mean_log_vd = sum_log_vd / validPairs;
/** calculating mean pow deviations */
double pd_log_vd = 0;
double vd_log_mean = 0;
for (int i = 0; i < steps; i++) {
if (log_preData[i] >= 0) {
pd_log_vd = pd_log_vd + (Math.pow(Math.abs(log_valData[i] - log_preData[i]), pow));
vd_log_mean = vd_log_mean + (Math.pow(Math.abs(log_valData[i] - mean_log_vd), pow));
}
}
/** calculating efficiency after Nash & Sutcliffe (1970) */
double log_efficiency = 1 - (pd_log_vd / vd_log_mean);
return log_efficiency;
}
}
| .version 52 0
.class public super NashSutcliffe
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 20
L4 21
.end linenumbertable
.end code
.end method
.method public static efficiency : ([D[DD)D
.code stack 6 locals 21
L0: aload_0
L1: arraylength
L2: istore 4
L4: aload_1
L5: arraylength
L6: istore 5
L8: iconst_0
L9: istore 6
L11: dconst_0
L12: dstore 7
L14: dconst_0
L15: dstore 9
L17: iload 4
L19: iload 5
L21: if_icmpeq L36
L24: getstatic Field java/lang/System err Ljava/io/PrintStream;
L27: ldc 'Prediction data and validation data are not consistent!'
L29: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L32: ldc2_w -Infinity
L35: dreturn
.stack full
locals Object [D Object [D Double Integer Integer Integer Double Double
stack
.end stack
L36: iload 4
L38: istore 6
L40: iconst_0
L41: istore 11
.stack append Integer
L43: iload 11
L45: iload 6
L47: if_icmpge L74
L50: dload 7
L52: aload_0
L53: iload 11
L55: daload
L56: dadd
L57: dstore 7
L59: dload 9
L61: aload_1
L62: iload 11
L64: daload
L65: dadd
L66: dstore 9
L68: iinc 11 1
L71: goto L43
.stack chop 1
L74: dload 7
L76: iload 6
L78: i2d
L79: ddiv
L80: dstore 11
L82: dload 9
L84: iload 6
L86: i2d
L87: ddiv
L88: dstore 13
L90: dconst_0
L91: dstore 15
L93: dconst_0
L94: dstore 17
L96: iconst_0
L97: istore 19
.stack full
locals Object [D Object [D Double Integer Integer Integer Double Double Double Double Double Double Integer
stack
.end stack
L99: iload 19
L101: iload 6
L103: if_icmpge L152
L106: dload 15
L108: aload_1
L109: iload 19
L111: daload
L112: aload_0
L113: iload 19
L115: daload
L116: dsub
L117: invokestatic Method java/lang/Math abs (D)D
L120: dload_2
L121: invokestatic Method java/lang/Math pow (DD)D
L124: dadd
L125: dstore 15
L127: dload 17
L129: aload_1
L130: iload 19
L132: daload
L133: dload 13
L135: dsub
L136: invokestatic Method java/lang/Math abs (D)D
L139: dload_2
L140: invokestatic Method java/lang/Math pow (DD)D
L143: dadd
L144: dstore 17
L146: iinc 19 1
L149: goto L99
.stack chop 1
L152: dconst_1
L153: dload 15
L155: dload 17
L157: ddiv
L158: dsub
L159: dstore 19
L161: dload 19
L163: dreturn
L164:
.linenumbertable
L0 33
L4 34
L8 36
L11 38
L14 39
L17 42
L24 43
L32 44
L36 47
L40 51
L50 52
L59 53
L68 51
L74 57
L82 58
L90 61
L93 62
L96 63
L106 64
L127 65
L146 63
L152 69
L161 71
.end linenumbertable
.end code
.end method
.method public static logEfficiency : ([D[DD)D
.code stack 6 locals 24
L0: aload_0
L1: arraylength
L2: istore 4
L4: aload_1
L5: arraylength
L6: istore 5
L8: iconst_0
L9: istore 6
L11: dconst_0
L12: dstore 7
L14: dconst_0
L15: dstore 9
L17: iload 4
L19: iload 5
L21: if_icmpeq L36
L24: getstatic Field java/lang/System err Ljava/io/PrintStream;
L27: ldc 'Prediction data and validation data are not consistent!'
L29: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L32: ldc2_w -Infinity
L35: dreturn
.stack full
locals Object [D Object [D Double Integer Integer Integer Double Double
stack
.end stack
L36: iload 4
L38: istore 6
L40: iload 4
L42: newarray double
L44: astore 11
L46: iload 5
L48: newarray double
L50: astore 12
L52: iconst_0
L53: istore 13
L55: iconst_0
L56: istore 14
.stack full
locals Object [D Object [D Double Integer Integer Integer Double Double Object [D Object [D Integer Integer
stack
.end stack
L58: iload 14
L60: iload 6
L62: if_icmpge L183
L65: aload_0
L66: iload 14
L68: daload
L69: dconst_0
L70: dcmpg
L71: ifle L83
L74: aload_1
L75: iload 14
L77: daload
L78: dconst_0
L79: dcmpg
L80: ifgt L99
.stack same
L83: aload 11
L85: iload 14
L87: ldc2_w -1.0
L90: dastore
L91: aload 12
L93: iload 14
L95: ldc2_w -1.0
L98: dastore
.stack same
L99: aload_0
L100: iload 14
L102: daload
L103: dconst_0
L104: dcmpl
L105: ifne L132
L108: aload_1
L109: iload 14
L111: daload
L112: dconst_0
L113: dcmpl
L114: ifne L132
L117: aload 11
L119: iload 14
L121: dconst_0
L122: dastore
L123: aload 12
L125: iload 14
L127: dconst_0
L128: dastore
L129: iinc 13 1
.stack same
L132: aload_0
L133: iload 14
L135: daload
L136: dconst_0
L137: dcmpl
L138: ifle L177
L141: aload_1
L142: iload 14
L144: daload
L145: dconst_0
L146: dcmpl
L147: ifle L177
L150: aload 11
L152: iload 14
L154: aload_0
L155: iload 14
L157: daload
L158: invokestatic Method java/lang/Math log (D)D
L161: dastore
L162: aload 12
L164: iload 14
L166: aload_1
L167: iload 14
L169: daload
L170: invokestatic Method java/lang/Math log (D)D
L173: dastore
L174: iinc 13 1
.stack same
L177: iinc 14 1
L180: goto L58
.stack chop 1
L183: iconst_0
L184: istore 14
.stack append Integer
L186: iload 14
L188: iload 6
L190: if_icmpge L229
L193: aload 11
L195: iload 14
L197: daload
L198: dconst_0
L199: dcmpl
L200: iflt L223
L203: dload 7
L205: aload 11
L207: iload 14
L209: daload
L210: dadd
L211: dstore 7
L213: dload 9
L215: aload 12
L217: iload 14
L219: daload
L220: dadd
L221: dstore 9
.stack same
L223: iinc 14 1
L226: goto L186
.stack chop 1
L229: dload 7
L231: iload 13
L233: i2d
L234: ddiv
L235: dstore 14
L237: dload 9
L239: iload 13
L241: i2d
L242: ddiv
L243: dstore 16
L245: dconst_0
L246: dstore 18
L248: dconst_0
L249: dstore 20
L251: iconst_0
L252: istore 22
.stack full
locals Object [D Object [D Double Integer Integer Integer Double Double Object [D Object [D Integer Double Double Double Double Integer
stack
.end stack
L254: iload 22
L256: iload 6
L258: if_icmpge L320
L261: aload 11
L263: iload 22
L265: daload
L266: dconst_0
L267: dcmpl
L268: iflt L314
L271: dload 18
L273: aload 12
L275: iload 22
L277: daload
L278: aload 11
L280: iload 22
L282: daload
L283: dsub
L284: invokestatic Method java/lang/Math abs (D)D
L287: dload_2
L288: invokestatic Method java/lang/Math pow (DD)D
L291: dadd
L292: dstore 18
L294: dload 20
L296: aload 12
L298: iload 22
L300: daload
L301: dload 16
L303: dsub
L304: invokestatic Method java/lang/Math abs (D)D
L307: dload_2
L308: invokestatic Method java/lang/Math pow (DD)D
L311: dadd
L312: dstore 20
.stack same
L314: iinc 22 1
L317: goto L254
.stack chop 1
L320: dconst_1
L321: dload 18
L323: dload 20
L325: ddiv
L326: dsub
L327: dstore 22
L329: dload 22
L331: dreturn
L332:
.linenumbertable
L0 86
L4 87
L8 89
L11 91
L14 92
L17 95
L24 96
L32 97
L36 100
L40 104
L46 105
L52 107
L55 109
L65 113
L83 114
L91 115
L99 120
L117 121
L123 122
L129 123
L132 127
L150 128
L162 129
L174 130
L177 109
L183 135
L193 136
L203 137
L213 138
L223 135
L229 143
L237 144
L245 147
L248 148
L251 149
L261 150
L271 151
L294 152
L314 149
L320 157
L329 159
.end linenumbertable
.end code
.end method
.sourcefile 'NashSutcliffe.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 09:19: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 NashSutcliffe_ESTest extends NashSutcliffe_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
double[] doubleArray0 = new double[0];
double double0 = NashSutcliffe.efficiency(doubleArray0, doubleArray0, 0.0);
double[] doubleArray1 = new double[3];
doubleArray1[0] = Double.NaN;
doubleArray1[1] = 0.0;
doubleArray1[2] = 0.0;
double double1 = NashSutcliffe.logEfficiency(doubleArray1, doubleArray1, 43343.12687964845);
assertEquals(double1, double0, 1.0E-4);
NashSutcliffe nashSutcliffe0 = new NashSutcliffe();
NashSutcliffe.efficiency(doubleArray0, doubleArray1, Double.NaN);
NashSutcliffe.efficiency(doubleArray0, doubleArray1, 43343.12687964845);
double[] doubleArray2 = new double[7];
doubleArray2[0] = Double.NEGATIVE_INFINITY;
doubleArray2[1] = Double.NaN;
doubleArray2[2] = Double.NEGATIVE_INFINITY;
doubleArray2[3] = Double.NEGATIVE_INFINITY;
doubleArray2[4] = 43343.12687964845;
doubleArray2[5] = Double.NEGATIVE_INFINITY;
doubleArray2[6] = (-28222.54482);
double double2 = NashSutcliffe.efficiency(doubleArray0, doubleArray2, (-1.0));
assertEquals(Double.NEGATIVE_INFINITY, double2, 1.0E-4);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
double[] doubleArray0 = new double[4];
doubleArray0[0] = 1819.417404974548;
doubleArray0[1] = (-51926.59618071788);
doubleArray0[2] = 87266.7083290659;
doubleArray0[3] = (-70573.21549);
double double0 = NashSutcliffe.logEfficiency(doubleArray0, doubleArray0, 0.0);
NashSutcliffe.logEfficiency(doubleArray0, doubleArray0, 87266.7083290659);
NashSutcliffe nashSutcliffe0 = new NashSutcliffe();
double double1 = NashSutcliffe.efficiency(doubleArray0, doubleArray0, 0.0);
assertEquals(double1, double0, 1.0E-4);
double double2 = NashSutcliffe.logEfficiency(doubleArray0, doubleArray0, 1.0);
assertEquals(1.0, double2, 1.0E-4);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
NashSutcliffe nashSutcliffe0 = new NashSutcliffe();
double[] doubleArray0 = new double[9];
doubleArray0[0] = 0.0;
doubleArray0[1] = (-29836.53);
doubleArray0[2] = 0.0;
doubleArray0[3] = (-1.0);
doubleArray0[4] = (-1.0);
doubleArray0[5] = (-100149.7);
doubleArray0[6] = (-38509.16625118);
doubleArray0[7] = 0.0;
doubleArray0[8] = 0.0;
double double0 = NashSutcliffe.efficiency(doubleArray0, doubleArray0, (-1.0));
assertEquals(Double.NEGATIVE_INFINITY, double0, 1.0E-4);
double[] doubleArray1 = new double[4];
doubleArray1[0] = 48850.346452;
doubleArray1[1] = 0.0;
doubleArray1[2] = 0.0;
doubleArray1[3] = 0.0;
double double1 = NashSutcliffe.efficiency(doubleArray1, doubleArray1, 0.0);
assertEquals(0.0, double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
NashSutcliffe nashSutcliffe0 = new NashSutcliffe();
double[] doubleArray0 = new double[6];
doubleArray0[0] = (-14079.91706900764);
doubleArray0[1] = 0.0;
doubleArray0[2] = 1.0;
doubleArray0[3] = 0.0;
doubleArray0[4] = 0.0;
doubleArray0[5] = 34965.747;
double double0 = NashSutcliffe.efficiency(doubleArray0, doubleArray0, 0.0);
assertEquals(0.0, double0, 1.0E-4);
double[] doubleArray1 = new double[3];
doubleArray1[0] = 33401.98615028877;
doubleArray1[1] = (-19379.90316);
doubleArray1[2] = 55861.4177376105;
double double1 = NashSutcliffe.logEfficiency(doubleArray1, doubleArray1, 33401.98615028877);
assertEquals(Double.NaN, double1, 1.0E-4);
double[] doubleArray2 = new double[6];
doubleArray2[0] = 41749.707671;
doubleArray2[1] = 31553.4953208381;
doubleArray2[2] = 39953.937623;
doubleArray2[3] = (-1.0);
doubleArray2[4] = 1.0;
doubleArray2[5] = 0.0;
double double2 = NashSutcliffe.efficiency(doubleArray2, doubleArray2, 31553.4953208381);
assertEquals(1.0, double2, 1.0E-4);
double[] doubleArray3 = new double[1];
doubleArray3[0] = 0.0;
double double3 = NashSutcliffe.efficiency(doubleArray1, doubleArray3, 0.0);
assertEquals(Double.NEGATIVE_INFINITY, double3, 1.0E-4);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
NashSutcliffe nashSutcliffe0 = new NashSutcliffe();
double[] doubleArray0 = new double[8];
doubleArray0[0] = 0.0;
doubleArray0[1] = 0.0;
doubleArray0[2] = (-39201.75407823217);
doubleArray0[3] = (-26289.74163826);
doubleArray0[4] = 0.0;
doubleArray0[5] = 0.0;
doubleArray0[6] = 1.0;
doubleArray0[7] = 0.0;
double double0 = NashSutcliffe.logEfficiency(doubleArray0, doubleArray0, 0.0);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
NashSutcliffe nashSutcliffe0 = new NashSutcliffe();
double[] doubleArray0 = new double[7];
doubleArray0[0] = (-4443.770839579);
doubleArray0[1] = Double.NEGATIVE_INFINITY;
doubleArray0[2] = (-30966.2092);
doubleArray0[3] = Double.NEGATIVE_INFINITY;
doubleArray0[4] = 0.0;
doubleArray0[5] = (-63797.3287297093);
doubleArray0[6] = 23158.918571;
double double0 = NashSutcliffe.logEfficiency(doubleArray0, doubleArray0, (-362.73193248756));
double[] doubleArray1 = new double[2];
doubleArray1[0] = (-30966.2092);
doubleArray1[1] = (-63797.3287297093);
double[] doubleArray2 = new double[0];
double double1 = NashSutcliffe.logEfficiency(doubleArray1, doubleArray2, 0.0);
assertEquals(double1, double0, 1.0E-4);
assertEquals(Double.NEGATIVE_INFINITY, double1, 1.0E-4);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 09:19: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 NashSutcliffe_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "NashSutcliffe";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmprgurgraj");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(NashSutcliffe_ESTest_scaffolding.class.getClassLoader() ,
"NashSutcliffe"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(NashSutcliffe_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"NashSutcliffe"
);
}
}
| 12,168 |
A | /*
* Copyright 2005-2019 Dozer Project
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
public class A {
protected Integer id1;
protected Integer id2;
public Integer getId1() {
return id1;
}
public void setId1(Integer id1) {
this.id1 = id1;
}
public Integer getId2() {
return id2;
}
public void setId2(Integer id2) {
this.id2 = id2;
}
}
| .version 52 0
.class public super A
.super java/lang/Object
.field protected id1 Ljava/lang/Integer;
.field protected id2 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 18
.end linenumbertable
.end code
.end method
.method public getId1 : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field A id1 Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 23
.end linenumbertable
.end code
.end method
.method public setId1 : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field A id1 Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 27
L5 28
.end linenumbertable
.end code
.end method
.method public getId2 : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field A id2 Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 31
.end linenumbertable
.end code
.end method
.method public setId2 : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field A id2 Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 35
L5 36
.end linenumbertable
.end code
.end method
.sourcefile 'A.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 16:56: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 A_ESTest extends A_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
A a0 = new A();
Integer integer0 = new Integer(1);
a0.setId2(integer0);
Integer integer1 = a0.getId2();
assertEquals(1, (int)integer1);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
A a0 = new A();
Integer integer0 = new Integer(0);
a0.id2 = integer0;
Integer integer1 = a0.getId2();
assertEquals(0, (int)integer1);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
A a0 = new A();
Integer integer0 = new Integer(47408);
a0.id2 = integer0;
Integer integer1 = a0.getId2();
assertEquals(47408, (int)integer1);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
A a0 = new A();
Integer integer0 = new Integer((-24651));
a0.setId2(integer0);
Integer integer1 = a0.getId2();
assertEquals((-24651), (int)integer1);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
A a0 = new A();
Integer integer0 = new Integer(1);
a0.setId1(integer0);
Integer integer1 = a0.getId1();
assertEquals(1, (int)integer1);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
A a0 = new A();
Integer integer0 = new Integer(0);
a0.setId1(integer0);
Integer integer1 = a0.getId1();
assertEquals(0, (int)integer1);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
A a0 = new A();
a0.id1 = null;
Integer integer0 = new Integer((-119973));
a0.id1 = integer0;
Integer integer1 = a0.getId1();
assertEquals((-119973), (int)integer1);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
A a0 = new A();
Integer integer0 = new Integer((-85263));
a0.setId1(integer0);
Integer integer1 = a0.getId1();
assertEquals((-85263), (int)integer1);
}
@Test(timeout = 4000)
public void test8() throws Throwable {
A a0 = new A();
Integer integer0 = a0.getId1();
assertNull(integer0);
}
@Test(timeout = 4000)
public void test9() throws Throwable {
A a0 = new A();
Integer integer0 = a0.getId2();
assertNull(integer0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 16:56: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 A_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "A";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmptccgrypt");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(A_ESTest_scaffolding.class.getClassLoader() ,
"A"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(A_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"A"
);
}
}
| 12,169 |
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
* Mon Jul 04 02:21: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 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
* Mon Jul 04 02:21:46 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class 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/tmpcbja8d0a");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.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"
);
}
}
| 12,170 |
ConcurrentTestUtil | /*
* Copyright (C) 2017 Premium Minds.
*
* This file is part of billy france (FR Pack).
*
* billy france (FR Pack) 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.
*
* billy france (FR Pack) 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 billy france (FR Pack). If not, see <http://www.gnu.org/licenses/>.
*/
import java.util.ArrayList;
import java.util.List;
import java.util.concurrent.Callable;
import java.util.concurrent.ExecutorService;
import java.util.concurrent.Executors;
import java.util.concurrent.Future;
public class ConcurrentTestUtil {
private int totalThreads;
public ConcurrentTestUtil(int totalThreads) {
this.totalThreads = totalThreads;
}
public List<Future<?>> runThreads(Callable<?> callable) {
ExecutorService executor = Executors.newFixedThreadPool(this.totalThreads);
ArrayList<Future<?>> futures = new ArrayList<>();
for (int i = 0; i < this.totalThreads; i++) {
futures.add(executor.submit(callable));
}
executor.shutdown();
while (!executor.isTerminated()) {}
return futures;
}
}
| .version 52 0
.class public super ConcurrentTestUtil
.super java/lang/Object
.field private totalThreads I
.method public <init> : (I)V
.code stack 2 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iload_1
L6: putfield Field ConcurrentTestUtil totalThreads I
L9: return
L10:
.linenumbertable
L0 32
L4 33
L9 34
.end linenumbertable
.end code
.end method
.method public runThreads : (Ljava/util/concurrent/Callable;)Ljava/util/List;
.code stack 3 locals 5
L0: aload_0
L1: getfield Field ConcurrentTestUtil totalThreads I
L4: invokestatic Method java/util/concurrent/Executors newFixedThreadPool (I)Ljava/util/concurrent/ExecutorService;
L7: astore_2
L8: new java/util/ArrayList
L11: dup
L12: invokespecial Method java/util/ArrayList <init> ()V
L15: astore_3
L16: iconst_0
L17: istore 4
.stack append Object java/util/concurrent/ExecutorService Object java/util/ArrayList Integer
L19: iload 4
L21: aload_0
L22: getfield Field ConcurrentTestUtil totalThreads I
L25: if_icmpge L46
L28: aload_3
L29: aload_2
L30: aload_1
L31: invokeinterface InterfaceMethod java/util/concurrent/ExecutorService submit (Ljava/util/concurrent/Callable;)Ljava/util/concurrent/Future; 2
L36: invokevirtual Method java/util/ArrayList add (Ljava/lang/Object;)Z
L39: pop
L40: iinc 4 1
L43: goto L19
.stack chop 1
L46: aload_2
L47: invokeinterface InterfaceMethod java/util/concurrent/ExecutorService shutdown ()V 1
.stack same
L52: aload_2
L53: invokeinterface InterfaceMethod java/util/concurrent/ExecutorService isTerminated ()Z 1
L58: ifne L64
L61: goto L52
.stack same
L64: aload_3
L65: areturn
L66:
.linenumbertable
L0 37
L8 38
L16 40
L28 41
L40 40
L46 44
L52 45
L64 49
.end linenumbertable
.end code
.signature (Ljava/util/concurrent/Callable<*>;)Ljava/util/List<Ljava/util/concurrent/Future<*>;>;
.end method
.sourcefile 'ConcurrentTestUtil.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 16:30:14 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.shaded.org.mockito.Mockito.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.util.List;
import java.util.concurrent.Callable;
import java.util.concurrent.Future;
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 ConcurrentTestUtil_ESTest extends ConcurrentTestUtil_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ConcurrentTestUtil concurrentTestUtil0 = new ConcurrentTestUtil(1);
Callable<Integer> callable0 = (Callable<Integer>) mock(Callable.class, new ViolatedAssumptionAnswer());
doReturn((Object) null).when(callable0).call();
Callable<Object> callable1 = (Callable<Object>) mock(Callable.class, new ViolatedAssumptionAnswer());
doReturn((Object) null).when(callable1).call();
concurrentTestUtil0.runThreads(callable1);
Callable<String> callable2 = (Callable<String>) mock(Callable.class, new ViolatedAssumptionAnswer());
doReturn((Object) null).when(callable2).call();
concurrentTestUtil0.runThreads(callable2);
concurrentTestUtil0.runThreads(callable0);
Callable<Object> callable3 = (Callable<Object>) mock(Callable.class, new ViolatedAssumptionAnswer());
doReturn((Object) null).when(callable3).call();
concurrentTestUtil0.runThreads(callable3);
Callable<Object> callable4 = (Callable<Object>) mock(Callable.class, new ViolatedAssumptionAnswer());
doReturn((Object) null).when(callable4).call();
concurrentTestUtil0.runThreads(callable4);
Callable<Integer> callable5 = (Callable<Integer>) mock(Callable.class, new ViolatedAssumptionAnswer());
doReturn((Object) null).when(callable5).call();
concurrentTestUtil0.runThreads(callable5);
Callable<Object> callable6 = (Callable<Object>) mock(Callable.class, new ViolatedAssumptionAnswer());
doReturn((Object) null).when(callable6).call();
concurrentTestUtil0.runThreads(callable6);
Callable<Object> callable7 = (Callable<Object>) mock(Callable.class, new ViolatedAssumptionAnswer());
doReturn((Object) null).when(callable7).call();
List<Future<?>> list0 = concurrentTestUtil0.runThreads(callable7);
assertEquals(1, list0.size());
}
@Test(timeout = 4000)
public void test1() throws Throwable {
ConcurrentTestUtil concurrentTestUtil0 = new ConcurrentTestUtil(1);
Callable<String> callable0 = (Callable<String>) mock(Callable.class, new ViolatedAssumptionAnswer());
doReturn((Object) null).when(callable0).call();
concurrentTestUtil0.runThreads(callable0);
Callable<Object> callable1 = (Callable<Object>) mock(Callable.class, new ViolatedAssumptionAnswer());
doReturn((Object) null).when(callable1).call();
Callable<Object> callable2 = (Callable<Object>) mock(Callable.class, new ViolatedAssumptionAnswer());
doReturn((Object) null).when(callable2).call();
concurrentTestUtil0.runThreads(callable2);
concurrentTestUtil0.runThreads(callable1);
Callable<Object> callable3 = (Callable<Object>) mock(Callable.class, new ViolatedAssumptionAnswer());
doReturn((Object) null).when(callable3).call();
concurrentTestUtil0.runThreads(callable3);
Callable<String> callable4 = (Callable<String>) mock(Callable.class, new ViolatedAssumptionAnswer());
doReturn((Object) null).when(callable4).call();
concurrentTestUtil0.runThreads(callable4);
Callable<Integer> callable5 = null;
// Undeclared exception!
try {
concurrentTestUtil0.runThreads((Callable<?>) null);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("java.util.concurrent.AbstractExecutorService", e);
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 16:30: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;
import static org.evosuite.shaded.org.mockito.Mockito.*;
@EvoSuiteClassExclude
public class ConcurrentTestUtil_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ConcurrentTestUtil";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.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/tmp44uy79ty");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ConcurrentTestUtil_ESTest_scaffolding.class.getClassLoader() ,
"ConcurrentTestUtil"
);
}
private static void initMocksToAvoidTimeoutsInTheTests() throws ClassNotFoundException {
mock(Class.forName("java.util.concurrent.Callable", false, ConcurrentTestUtil_ESTest_scaffolding.class.getClassLoader()));
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ConcurrentTestUtil_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ConcurrentTestUtil"
);
}
}
| 12,171 |
IRRUtil | import java.math.BigDecimal;
public class IRRUtil {
public static BigDecimal getMonthRatioByYearRate(
final int period, final BigDecimal yearYieldRate) {
final BigDecimal monthYieldRate =
yearYieldRate.divide(new BigDecimal(12), 8, BigDecimal.ROUND_HALF_EVEN);
final BigDecimal amount = new BigDecimal(10000);
final BigDecimal monthAmount = IRRUtil.getMonthAmount(amount, monthYieldRate, period);
final BigDecimal ratio = monthAmount.divide(amount, 8, BigDecimal.ROUND_HALF_EVEN);
return ratio;
}
public static BigDecimal getMonthRatioByMonthRate(
final int period, final BigDecimal monthYieldRate) {
final BigDecimal amount = new BigDecimal(10000);
final BigDecimal monthAmount = IRRUtil.getMonthAmount(amount, monthYieldRate, period);
final BigDecimal ratio = monthAmount.divide(amount, 8, BigDecimal.ROUND_HALF_EVEN);
return ratio;
}
public static BigDecimal getMonthAmount(
final BigDecimal amount, final BigDecimal monthYieldRate, final int period) {
BigDecimal r = BigDecimal.ZERO;
for (int i = 0; i < period; i++) {
r = r.add(BigDecimal.ONE.add(monthYieldRate).pow(i));
}
return amount
.multiply(BigDecimal.ONE.add(monthYieldRate).pow(period))
.divide(r, 8, BigDecimal.ROUND_HALF_EVEN);
}
}
| .version 52 0
.class public super IRRUtil
.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 getMonthRatioByYearRate : (ILjava/math/BigDecimal;)Ljava/math/BigDecimal;
.code stack 4 locals 6
L0: aload_1
L1: new java/math/BigDecimal
L4: dup
L5: bipush 12
L7: invokespecial Method java/math/BigDecimal <init> (I)V
L10: bipush 8
L12: bipush 6
L14: invokevirtual Method java/math/BigDecimal divide (Ljava/math/BigDecimal;II)Ljava/math/BigDecimal;
L17: astore_2
L18: new java/math/BigDecimal
L21: dup
L22: sipush 10000
L25: invokespecial Method java/math/BigDecimal <init> (I)V
L28: astore_3
L29: aload_3
L30: aload_2
L31: iload_0
L32: invokestatic Method IRRUtil getMonthAmount (Ljava/math/BigDecimal;Ljava/math/BigDecimal;I)Ljava/math/BigDecimal;
L35: astore 4
L37: aload 4
L39: aload_3
L40: bipush 8
L42: bipush 6
L44: invokevirtual Method java/math/BigDecimal divide (Ljava/math/BigDecimal;II)Ljava/math/BigDecimal;
L47: astore 5
L49: aload 5
L51: areturn
L52:
.linenumbertable
L0 8
L18 9
L29 10
L37 11
L49 12
.end linenumbertable
.end code
.end method
.method public static getMonthRatioByMonthRate : (ILjava/math/BigDecimal;)Ljava/math/BigDecimal;
.code stack 4 locals 5
L0: new java/math/BigDecimal
L3: dup
L4: sipush 10000
L7: invokespecial Method java/math/BigDecimal <init> (I)V
L10: astore_2
L11: aload_2
L12: aload_1
L13: iload_0
L14: invokestatic Method IRRUtil getMonthAmount (Ljava/math/BigDecimal;Ljava/math/BigDecimal;I)Ljava/math/BigDecimal;
L17: astore_3
L18: aload_3
L19: aload_2
L20: bipush 8
L22: bipush 6
L24: invokevirtual Method java/math/BigDecimal divide (Ljava/math/BigDecimal;II)Ljava/math/BigDecimal;
L27: astore 4
L29: aload 4
L31: areturn
L32:
.linenumbertable
L0 16
L11 17
L18 18
L29 19
.end linenumbertable
.end code
.end method
.method public static getMonthAmount : (Ljava/math/BigDecimal;Ljava/math/BigDecimal;I)Ljava/math/BigDecimal;
.code stack 4 locals 5
L0: getstatic Field java/math/BigDecimal ZERO Ljava/math/BigDecimal;
L3: astore_3
L4: iconst_0
L5: istore 4
.stack append Object java/math/BigDecimal Integer
L7: iload 4
L9: iload_2
L10: if_icmpge L36
L13: aload_3
L14: getstatic Field java/math/BigDecimal ONE Ljava/math/BigDecimal;
L17: aload_1
L18: invokevirtual Method java/math/BigDecimal add (Ljava/math/BigDecimal;)Ljava/math/BigDecimal;
L21: iload 4
L23: invokevirtual Method java/math/BigDecimal pow (I)Ljava/math/BigDecimal;
L26: invokevirtual Method java/math/BigDecimal add (Ljava/math/BigDecimal;)Ljava/math/BigDecimal;
L29: astore_3
L30: iinc 4 1
L33: goto L7
.stack chop 1
L36: aload_0
L37: getstatic Field java/math/BigDecimal ONE Ljava/math/BigDecimal;
L40: aload_1
L41: invokevirtual Method java/math/BigDecimal add (Ljava/math/BigDecimal;)Ljava/math/BigDecimal;
L44: iload_2
L45: invokevirtual Method java/math/BigDecimal pow (I)Ljava/math/BigDecimal;
L48: invokevirtual Method java/math/BigDecimal multiply (Ljava/math/BigDecimal;)Ljava/math/BigDecimal;
L51: aload_3
L52: bipush 8
L54: bipush 6
L56: invokevirtual Method java/math/BigDecimal divide (Ljava/math/BigDecimal;II)Ljava/math/BigDecimal;
L59: areturn
L60:
.linenumbertable
L0 23
L4 24
L13 25
L30 24
L36 27
.end linenumbertable
.end code
.end method
.sourcefile 'IRRUtil.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 02:51:24 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.math.BigDecimal;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class IRRUtil_ESTest extends IRRUtil_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
BigDecimal bigDecimal0 = BigDecimal.ZERO;
// Undeclared exception!
try {
IRRUtil.getMonthAmount(bigDecimal0, bigDecimal0, (-52547));
fail("Expecting exception: ArithmeticException");
} catch(ArithmeticException e) {
//
// Invalid operation
//
verifyException("java.math.BigDecimal", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
BigDecimal bigDecimal0 = BigDecimal.TEN;
// Undeclared exception!
try {
IRRUtil.getMonthAmount(bigDecimal0, bigDecimal0, 0);
fail("Expecting exception: ArithmeticException");
} catch(ArithmeticException e) {
//
// / by zero
//
verifyException("java.math.BigDecimal", e);
}
}
@Test(timeout = 4000)
public void test2() throws Throwable {
BigDecimal bigDecimal0 = BigDecimal.ONE;
// Undeclared exception!
IRRUtil.getMonthAmount(bigDecimal0, bigDecimal0, 11648);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
BigDecimal bigDecimal0 = BigDecimal.TEN;
// Undeclared exception!
IRRUtil.getMonthRatioByMonthRate(10000, bigDecimal0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
IRRUtil iRRUtil0 = new IRRUtil();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 02:51:24 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class IRRUtil_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "IRRUtil";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpil9n_7tb");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(IRRUtil_ESTest_scaffolding.class.getClassLoader() ,
"IRRUtil"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(IRRUtil_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"IRRUtil"
);
}
}
| 12,172 |
ExceptionWithNoStacktrace | /*
* Copyright (c) 2015-present, Facebook, Inc.
* All rights reserved.
*
* This source code is licensed under the BSD-style license found in the
* LICENSE file in the root directory of this source tree. An additional grant
* of patent rights can be found in the PATENTS file in the same directory.
*/
/**
* Instantiate an exception with an empty stacktrace. This is more performant than instantiating a
* regular exception since it doesn't incur the cost of getting the stack trace.
*/
public class ExceptionWithNoStacktrace extends Exception {
@Override
public synchronized Throwable fillInStackTrace() {
return this;
}
public ExceptionWithNoStacktrace(String detailMessage) {
super(detailMessage);
}
}
| .version 52 0
.class public super ExceptionWithNoStacktrace
.super java/lang/Exception
.method public synchronized fillInStackTrace : ()Ljava/lang/Throwable;
.code stack 1 locals 1
L0: aload_0
L1: areturn
L2:
.linenumbertable
L0 18
.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 21
L5 22
.end linenumbertable
.end code
.end method
.sourcefile 'ExceptionWithNoStacktrace.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 12:00:20 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 ExceptionWithNoStacktrace_ESTest extends ExceptionWithNoStacktrace_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ExceptionWithNoStacktrace exceptionWithNoStacktrace0 = null;
try {
exceptionWithNoStacktrace0 = new ExceptionWithNoStacktrace("ExcetiWithNobtacktrace");
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// no message in exception (getMessage() returned null)
//
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 12:00:20 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class ExceptionWithNoStacktrace_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ExceptionWithNoStacktrace";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp7cza4f59");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ExceptionWithNoStacktrace_ESTest_scaffolding.class.getClassLoader() ,
"ExceptionWithNoStacktrace"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ExceptionWithNoStacktrace_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ExceptionWithNoStacktrace"
);
}
}
| 12,173 |
TryFinally | /*
* Copyright (c) 2017. Fengguo Wei and others.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Detailed contributors are listed in the CONTRIBUTOR.md
*/
public class TryFinally {
public static int main() {
int i = 0;
try {
i++;
} finally {
i++;
}
return i;
}
}
| .version 52 0
.class public super TryFinally
.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 : ()I
.code stack 1 locals 2
L0: iconst_0
L1: istore_0
.catch [0] from L2 to L5 using L11
L2: iinc 0 1
L5: iinc 0 1
L8: goto L17
.stack full
locals Integer
stack Object java/lang/Throwable
.end stack
L11: astore_1
L12: iinc 0 1
L15: aload_1
L16: athrow
.stack same
L17: iload_0
L18: ireturn
L19:
.linenumbertable
L0 14
L2 16
L5 18
L8 19
L11 18
L15 19
L17 20
.end linenumbertable
.end code
.end method
.sourcefile 'TryFinally.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 13:45: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 TryFinally_ESTest extends TryFinally_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
int int0 = TryFinally.main();
assertEquals(2, int0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
TryFinally tryFinally0 = new TryFinally();
assertEquals(2, tryFinally0.main());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 13:45:03 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class TryFinally_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "TryFinally";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpwu85nz31");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TryFinally_ESTest_scaffolding.class.getClassLoader() ,
"TryFinally"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TryFinally_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"TryFinally"
);
}
}
| 12,174 |
VectorPrintRuntimeException | /*-
* #%L
* VectorPrintCommon
* %%
* Copyright (C) 2011 - 2018 VectorPrint
* %%
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
* #L%
*/
import java.io.PrintStream;
import java.io.PrintWriter;
public class VectorPrintRuntimeException extends RuntimeException {
public VectorPrintRuntimeException(Throwable cause) {
super(cause);
}
public VectorPrintRuntimeException(String message, Throwable cause) {
super(message, cause);
}
public VectorPrintRuntimeException(String message) {
super(message);
}
/** print the stacktace of the deepest cause found */
@Override
public void printStackTrace() {
printStackTrace(System.out);
}
/** print the stacktace of the deepest cause found */
@Override
public void printStackTrace(PrintStream s) {
printStackTrace(new PrintWriter(s, true));
}
/** print the stacktace of the deepest cause found */
@Override
public void printStackTrace(PrintWriter s) {
Throwable current = this;
while (current.getCause() != null) {
current = current.getCause();
}
if (current.equals(this)) {
super.printStackTrace(s);
} else {
current.printStackTrace(s);
}
}
}
| .version 52 0
.class public super VectorPrintRuntimeException
.super java/lang/RuntimeException
.method public <init> : (Ljava/lang/Throwable;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/Throwable;)V
L5: return
L6:
.linenumbertable
L0 29
L5 30
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;Ljava/lang/Throwable;)V
.code stack 3 locals 3
L0: aload_0
L1: aload_1
L2: aload_2
L3: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;Ljava/lang/Throwable;)V
L6: return
L7:
.linenumbertable
L0 33
L6 34
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V
L5: return
L6:
.linenumbertable
L0 37
L5 38
.end linenumbertable
.end code
.end method
.method public printStackTrace : ()V
.code stack 2 locals 1
L0: aload_0
L1: getstatic Field java/lang/System out Ljava/io/PrintStream;
L4: invokevirtual Method VectorPrintRuntimeException printStackTrace (Ljava/io/PrintStream;)V
L7: return
L8:
.linenumbertable
L0 45
L7 46
.end linenumbertable
.end code
.end method
.method public printStackTrace : (Ljava/io/PrintStream;)V
.code stack 5 locals 2
L0: aload_0
L1: new java/io/PrintWriter
L4: dup
L5: aload_1
L6: iconst_1
L7: invokespecial Method java/io/PrintWriter <init> (Ljava/io/OutputStream;Z)V
L10: invokevirtual Method VectorPrintRuntimeException printStackTrace (Ljava/io/PrintWriter;)V
L13: return
L14:
.linenumbertable
L0 53
L13 54
.end linenumbertable
.end code
.end method
.method public printStackTrace : (Ljava/io/PrintWriter;)V
.code stack 2 locals 3
L0: aload_0
L1: astore_2
.stack append Object java/lang/Throwable
L2: aload_2
L3: invokevirtual Method java/lang/Throwable getCause ()Ljava/lang/Throwable;
L6: ifnull L17
L9: aload_2
L10: invokevirtual Method java/lang/Throwable getCause ()Ljava/lang/Throwable;
L13: astore_2
L14: goto L2
.stack same
L17: aload_2
L18: aload_0
L19: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z
L22: ifeq L33
L25: aload_0
L26: aload_1
L27: invokespecial Method java/lang/RuntimeException printStackTrace (Ljava/io/PrintWriter;)V
L30: goto L38
.stack same
L33: aload_2
L34: aload_1
L35: invokevirtual Method java/lang/Throwable printStackTrace (Ljava/io/PrintWriter;)V
.stack same
L38: return
L39:
.linenumbertable
L0 61
L2 62
L9 63
L17 65
L25 66
L33 68
L38 70
.end linenumbertable
.end code
.end method
.sourcefile 'VectorPrintRuntimeException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 18:37:55 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.io.BufferedOutputStream;
import java.io.OutputStream;
import java.io.PrintStream;
import java.io.PrintWriter;
import java.io.StringWriter;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.mock.java.io.MockPrintStream;
import org.evosuite.runtime.mock.java.io.MockPrintWriter;
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 VectorPrintRuntimeException_ESTest extends VectorPrintRuntimeException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
VectorPrintRuntimeException vectorPrintRuntimeException0 = new VectorPrintRuntimeException("`xHfX:eW5?p)D(tni-,");
MockPrintWriter mockPrintWriter0 = new MockPrintWriter("`xHfX:eW5?p)D(tni-,");
vectorPrintRuntimeException0.printStackTrace((PrintWriter) mockPrintWriter0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
VectorPrintRuntimeException vectorPrintRuntimeException0 = new VectorPrintRuntimeException("");
BufferedOutputStream bufferedOutputStream0 = new BufferedOutputStream((OutputStream) null);
MockPrintStream mockPrintStream0 = new MockPrintStream(bufferedOutputStream0);
vectorPrintRuntimeException0.printStackTrace((PrintStream) mockPrintStream0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
MockThrowable mockThrowable0 = new MockThrowable();
VectorPrintRuntimeException vectorPrintRuntimeException0 = new VectorPrintRuntimeException(mockThrowable0);
StringWriter stringWriter0 = new StringWriter();
MockPrintWriter mockPrintWriter0 = new MockPrintWriter(stringWriter0);
vectorPrintRuntimeException0.printStackTrace((PrintWriter) mockPrintWriter0);
// // Unstable assertion: assertEquals("sun.reflect.GeneratedConstructorAccessor44.newInstance(Unknown Source)\n<evosuite>.<evosuite>(<evosuite>)\n<evosuite>.<evosuite>(<evosuite>)\n<evosuite>.<evosuite>(<evosuite>)\n<evosuite>.<evosuite>(<evosuite>)\n<evosuite>.<evosuite>(<evosuite>)\n", stringWriter0.toString());
}
@Test(timeout = 4000)
public void test3() throws Throwable {
MockThrowable mockThrowable0 = new MockThrowable();
VectorPrintRuntimeException vectorPrintRuntimeException0 = new VectorPrintRuntimeException("3ts;5K@<[7*{=OA]5", mockThrowable0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
VectorPrintRuntimeException vectorPrintRuntimeException0 = new VectorPrintRuntimeException("`xHfX:eW5?p)D(tni-,");
vectorPrintRuntimeException0.printStackTrace();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 18:37: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 VectorPrintRuntimeException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "VectorPrintRuntimeException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp02gebma4");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(VectorPrintRuntimeException_ESTest_scaffolding.class.getClassLoader() ,
"VectorPrintRuntimeException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(VectorPrintRuntimeException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"VectorPrintRuntimeException"
);
}
}
| 12,175 |
URL | /** 接口地址 */
public class URL {
// 主机地址
private static final String HOST = "http://10.187.1.185/";
// 登录
public static final String LOGIN_URL = HOST + "newDormitoryAPI/User/Login";
// 获取宿舍信息
public static final String GET_USER_BUILD = HOST + "newDormitoryAPI/Query/Assistant/DormNum";
// 上传分数
public static final String UP_SCORE = HOST + "newDormitoryAPI/Insert/WeekScore";
// 获取宿舍成员
public static final String GET_USER_NAME = HOST + "newDormitoryAPI/Query/Student/Info";
// 上传照片
public static final String UP_IMAGE = "http://suguan.hicc.cn/UploadHandleServlet";
// 检测更新
public static final String CHECK_UPDATA = HOST + "newDormitoryAPI/Query/AppInfo/Version";
// 灵活查分 暂时去掉
public static final String CHECK_SCORE = HOST + "DormitoryAPI/Query/Custom";
// 导员查询
public static final String TEACHER_CHECK_SCORE =
HOST + "newDormitoryAPI/Query/WeekScore/Instructor";
// 学部查询
public static final String DIVISION_CHECK_SCORE =
HOST + "newDormitoryAPI/Query/WeekScore/Division";
// 领导查询
public static final String LEADER_CHECK_SCORE = HOST + "newDormitoryAPI/Query/WeekScore/Dean";
// 获取评分详情
public static final String GET_DETAILS_SCORE = HOST + "newDormitoryAPI/Query/WeekScore/Dormitory";
// 修改分数 用上传分数的接口 (原来的:DormitoryAPI/Update/WeekScore)
public static final String CHANGE_SCORE = HOST + "newDormitoryAPI/Insert/WeekScore";
// 获取宿舍成员详细信息
public static final String GET_DOR_MEMBERS =
HOST + "newDormitoryAPI/Query/StudentInfo/DormStudentInfo";
// 本周查宿情况
public static final String DOR_CHECK_STATE = HOST + "newDormitoryAPI/Query/CheckState";
}
| .version 52 0
.class public super URL
.super java/lang/Object
.field private static final HOST Ljava/lang/String; = 'http://10.187.1.185/'
.field public static final LOGIN_URL Ljava/lang/String; = 'http://10.187.1.185/newDormitoryAPI/User/Login'
.field public static final GET_USER_BUILD Ljava/lang/String; = 'http://10.187.1.185/newDormitoryAPI/Query/Assistant/DormNum'
.field public static final UP_SCORE Ljava/lang/String; = 'http://10.187.1.185/newDormitoryAPI/Insert/WeekScore'
.field public static final GET_USER_NAME Ljava/lang/String; = 'http://10.187.1.185/newDormitoryAPI/Query/Student/Info'
.field public static final UP_IMAGE Ljava/lang/String; = 'http://suguan.hicc.cn/UploadHandleServlet'
.field public static final CHECK_UPDATA Ljava/lang/String; = 'http://10.187.1.185/newDormitoryAPI/Query/AppInfo/Version'
.field public static final CHECK_SCORE Ljava/lang/String; = 'http://10.187.1.185/DormitoryAPI/Query/Custom'
.field public static final TEACHER_CHECK_SCORE Ljava/lang/String; = 'http://10.187.1.185/newDormitoryAPI/Query/WeekScore/Instructor'
.field public static final DIVISION_CHECK_SCORE Ljava/lang/String; = 'http://10.187.1.185/newDormitoryAPI/Query/WeekScore/Division'
.field public static final LEADER_CHECK_SCORE Ljava/lang/String; = 'http://10.187.1.185/newDormitoryAPI/Query/WeekScore/Dean'
.field public static final GET_DETAILS_SCORE Ljava/lang/String; = 'http://10.187.1.185/newDormitoryAPI/Query/WeekScore/Dormitory'
.field public static final CHANGE_SCORE Ljava/lang/String; = 'http://10.187.1.185/newDormitoryAPI/Insert/WeekScore'
.field public static final GET_DOR_MEMBERS Ljava/lang/String; = 'http://10.187.1.185/newDormitoryAPI/Query/StudentInfo/DormStudentInfo'
.field public static final DOR_CHECK_STATE Ljava/lang/String; = 'http://10.187.1.185/newDormitoryAPI/Query/CheckState'
.method 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 'URL.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 20:00: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 URL_ESTest extends URL_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
URL uRL0 = new URL();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 20:00: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 URL_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "URL";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp80w7q31t");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(URL_ESTest_scaffolding.class.getClassLoader() ,
"URL"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(URL_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"URL"
);
}
}
| 12,176 |
Maps | import java.util.AbstractMap;
import java.util.Collections;
import java.util.Map;
import java.util.Objects;
import java.util.concurrent.ConcurrentMap;
import java.util.function.Function;
import java.util.stream.Collector;
import java.util.stream.Collectors;
import java.util.stream.Stream;
/**
* A modified copy of <a href=
* "http://minborgsjavapot.blogspot.hk/2014/12/java-8-initializing-maps-in-smartest-way.html">
* http://minborgsjavapot.blogspot.hk/2014/12/java-8-initializing-maps-in- smartest-way.html</a>.
*/
public final class Maps {
private Maps() {}
/**
* Create an Map.Entry with given key and value pair
*
* @param key
* @param value
* @return
*/
public static <K, V> Map.Entry<K, V> entry(K key, V value) {
return new AbstractMap.SimpleEntry<K, V>(key, value);
}
/**
* Collector for convert Map.Entry to Map
*
* @return {@code Collector}
*/
public static <K, V> Collector<Map.Entry<K, V>, ?, Map<K, V>> entriesToMap() {
return Collectors.toMap((e) -> e.getKey(), (e) -> e.getValue());
}
/**
* Collector for convert Map.Entry to ConcurrentMap
*
* @return {@code Collector}
*/
public static <K, U> Collector<Map.Entry<K, U>, ?, ConcurrentMap<K, U>> entriesToConcurrentMap() {
return Collectors.toConcurrentMap((e) -> e.getKey(), (e) -> e.getValue());
}
/**
* Helper to create hardcode Map easily
*
* @param entries
* @return
*/
@SafeVarargs
public static <K, V> Map<K, V> mapOf(Map.Entry<K, V>... entries) {
return Stream.of(entries).collect(entriesToMap());
}
/**
* Helper to create hardcode ConcurrentMap easily
*
* @param entries
* @return
*/
@SafeVarargs
public static <K, V> Map<K, V> concurrentMapOf(Map.Entry<K, V>... entries) {
return Stream.of(entries).collect(entriesToConcurrentMap());
}
/**
* Helper to create hardcode unmodifiable Map easily
*
* @param entries
* @return
*/
@SafeVarargs
public static <K, V> Map<K, V> unmodifiableMapOf(Map.Entry<K, V>... entries) {
return Collections.unmodifiableMap(mapOf(entries));
}
/**
* Create a Composite Function for Key and Value into a Function for Map.Entry<K,V>.
*
* @param keyFunc
* @param valueFunc
* @return
*/
public static <K1, K2, V1, V2> Function<Map.Entry<K1, V1>, Map.Entry<K2, V2>> mapEntry(
Function<K1, K2> keyFunc, Function<V1, V2> valueFunc) {
return Maps.<K1, K2, V1>mapKey(keyFunc).andThen(Maps.<K2, V1, V2>mapValue(valueFunc));
}
/**
* Create a Function for Map.Entry<K,V> which only operate on Value
*
* @param func
* @return
*/
public static <K, V1, V2> Function<Map.Entry<K, V1>, Map.Entry<K, V2>> mapValue(
Function<V1, V2> func) {
Objects.requireNonNull(func);
return o -> toEntry(o.getKey(), func).apply(o.getValue());
}
/**
* Create a FlatMap Function for Map.Entry<K,V> which only operate on Value
*
* @param func
* @return
*/
public static <K, V1, V2> Function<Map.Entry<K, V1>, Stream<Map.Entry<K, V2>>> flatMapValue(
Function<V1, Stream<? extends V2>> func) {
Objects.requireNonNull(func);
return o ->
func.apply(o.getValue()).map(r -> new AbstractMap.SimpleEntry<K, V2>(o.getKey(), r));
}
/**
* Create a Function for Map.Entry<K,V> which only operate on Key
*
* @param func
* @return
*/
public static <K1, K2, V> Function<Map.Entry<K1, V>, Map.Entry<K2, V>> mapKey(
Function<K1, K2> func) {
Objects.requireNonNull(func);
return o -> new AbstractMap.SimpleEntry<K2, V>(func.apply(o.getKey()), o.getValue());
}
/**
* Create a FlatMap Function for Map.Entry<K,V> which only operate on Key
*
* @param func
* @return
*/
public static <K1, K2, V> Function<Map.Entry<K1, V>, Stream<Map.Entry<K2, V>>> flatMapKey(
Function<K1, Stream<? extends K2>> func) {
Objects.requireNonNull(func);
return o ->
func.apply(o.getKey()).map(r -> new AbstractMap.SimpleEntry<K2, V>(r, o.getValue()));
}
/**
* Wrap the input function into one output a Map.Entry with given key.
*
* @param key
* @param func
* @return
*/
public static <K, T, R> Function<T, Map.Entry<K, R>> toEntry(K key, Function<T, R> func) {
Objects.requireNonNull(func);
return o -> new AbstractMap.SimpleEntry<K, R>(key, func.apply(o));
}
/**
* Convert a single value to Map.Entry.
*
* @return
*/
public static <T> Function<T, Map.Entry<T, T>> toEntry() {
return o -> new AbstractMap.SimpleEntry<T, T>(o, o);
}
}
| .version 52 0
.class public final super Maps
.super java/lang/Object
.method private <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 20
L4 21
.end linenumbertable
.end code
.end method
.method public static entry : (Ljava/lang/Object;Ljava/lang/Object;)Ljava/util/Map$Entry;
.code stack 4 locals 2
L0: new java/util/AbstractMap$SimpleEntry
L3: dup
L4: aload_0
L5: aload_1
L6: invokespecial Method java/util/AbstractMap$SimpleEntry <init> (Ljava/lang/Object;Ljava/lang/Object;)V
L9: areturn
L10:
.linenumbertable
L0 31
.end linenumbertable
.end code
.signature '<K:Ljava/lang/Object;V:Ljava/lang/Object;>(TK;TV;)Ljava/util/Map$Entry<TK;TV;>;'
.end method
.method public static entriesToMap : ()Ljava/util/stream/Collector;
.code stack 2 locals 0
L0: invokedynamic [id4]
L5: invokedynamic [id5]
L10: invokestatic Method java/util/stream/Collectors toMap (Ljava/util/function/Function;Ljava/util/function/Function;)Ljava/util/stream/Collector;
L13: areturn
L14:
.linenumbertable
L0 40
.end linenumbertable
.end code
.signature '<K:Ljava/lang/Object;V:Ljava/lang/Object;>()Ljava/util/stream/Collector<Ljava/util/Map$Entry<TK;TV;>;*Ljava/util/Map<TK;TV;>;>;'
.end method
.method public static entriesToConcurrentMap : ()Ljava/util/stream/Collector;
.code stack 2 locals 0
L0: invokedynamic [id7]
L5: invokedynamic [id8]
L10: invokestatic Method java/util/stream/Collectors toConcurrentMap (Ljava/util/function/Function;Ljava/util/function/Function;)Ljava/util/stream/Collector;
L13: areturn
L14:
.linenumbertable
L0 49
.end linenumbertable
.end code
.signature '<K:Ljava/lang/Object;U:Ljava/lang/Object;>()Ljava/util/stream/Collector<Ljava/util/Map$Entry<TK;TU;>;*Ljava/util/concurrent/ConcurrentMap<TK;TU;>;>;'
.end method
.method public static varargs mapOf : ([Ljava/util/Map$Entry;)Ljava/util/Map;
.code stack 2 locals 1
L0: aload_0
L1: invokestatic InterfaceMethod java/util/stream/Stream of ([Ljava/lang/Object;)Ljava/util/stream/Stream;
L4: invokestatic Method Maps entriesToMap ()Ljava/util/stream/Collector;
L7: invokeinterface InterfaceMethod java/util/stream/Stream collect (Ljava/util/stream/Collector;)Ljava/lang/Object; 2
L12: checkcast java/util/Map
L15: areturn
L16:
.linenumbertable
L0 60
.end linenumbertable
.end code
.signature '<K:Ljava/lang/Object;V:Ljava/lang/Object;>([Ljava/util/Map$Entry<TK;TV;>;)Ljava/util/Map<TK;TV;>;'
.runtime visible annotations
.annotation Ljava/lang/SafeVarargs;
.end annotation
.end runtime
.end method
.method public static varargs concurrentMapOf : ([Ljava/util/Map$Entry;)Ljava/util/Map;
.code stack 2 locals 1
L0: aload_0
L1: invokestatic InterfaceMethod java/util/stream/Stream of ([Ljava/lang/Object;)Ljava/util/stream/Stream;
L4: invokestatic Method Maps entriesToConcurrentMap ()Ljava/util/stream/Collector;
L7: invokeinterface InterfaceMethod java/util/stream/Stream collect (Ljava/util/stream/Collector;)Ljava/lang/Object; 2
L12: checkcast java/util/Map
L15: areturn
L16:
.linenumbertable
L0 71
.end linenumbertable
.end code
.signature '<K:Ljava/lang/Object;V:Ljava/lang/Object;>([Ljava/util/Map$Entry<TK;TV;>;)Ljava/util/Map<TK;TV;>;'
.runtime visible annotations
.annotation Ljava/lang/SafeVarargs;
.end annotation
.end runtime
.end method
.method public static varargs unmodifiableMapOf : ([Ljava/util/Map$Entry;)Ljava/util/Map;
.code stack 1 locals 1
L0: aload_0
L1: invokestatic Method Maps mapOf ([Ljava/util/Map$Entry;)Ljava/util/Map;
L4: invokestatic Method java/util/Collections unmodifiableMap (Ljava/util/Map;)Ljava/util/Map;
L7: areturn
L8:
.linenumbertable
L0 82
.end linenumbertable
.end code
.signature '<K:Ljava/lang/Object;V:Ljava/lang/Object;>([Ljava/util/Map$Entry<TK;TV;>;)Ljava/util/Map<TK;TV;>;'
.runtime visible annotations
.annotation Ljava/lang/SafeVarargs;
.end annotation
.end runtime
.end method
.method public static mapEntry : (Ljava/util/function/Function;Ljava/util/function/Function;)Ljava/util/function/Function;
.code stack 2 locals 2
L0: aload_0
L1: invokestatic Method Maps mapKey (Ljava/util/function/Function;)Ljava/util/function/Function;
L4: aload_1
L5: invokestatic Method Maps mapValue (Ljava/util/function/Function;)Ljava/util/function/Function;
L8: invokeinterface InterfaceMethod java/util/function/Function andThen (Ljava/util/function/Function;)Ljava/util/function/Function; 2
L13: areturn
L14:
.linenumbertable
L0 94
.end linenumbertable
.end code
.signature '<K1:Ljava/lang/Object;K2:Ljava/lang/Object;V1:Ljava/lang/Object;V2:Ljava/lang/Object;>(Ljava/util/function/Function<TK1;TK2;>;Ljava/util/function/Function<TV1;TV2;>;)Ljava/util/function/Function<Ljava/util/Map$Entry<TK1;TV1;>;Ljava/util/Map$Entry<TK2;TV2;>;>;'
.end method
.method public static mapValue : (Ljava/util/function/Function;)Ljava/util/function/Function;
.code stack 1 locals 1
L0: aload_0
L1: invokestatic Method java/util/Objects requireNonNull (Ljava/lang/Object;)Ljava/lang/Object;
L4: pop
L5: aload_0
L6: invokedynamic [id21]
L11: areturn
L12:
.linenumbertable
L0 104
L5 105
.end linenumbertable
.end code
.signature '<K:Ljava/lang/Object;V1:Ljava/lang/Object;V2:Ljava/lang/Object;>(Ljava/util/function/Function<TV1;TV2;>;)Ljava/util/function/Function<Ljava/util/Map$Entry<TK;TV1;>;Ljava/util/Map$Entry<TK;TV2;>;>;'
.end method
.method public static flatMapValue : (Ljava/util/function/Function;)Ljava/util/function/Function;
.code stack 1 locals 1
L0: aload_0
L1: invokestatic Method java/util/Objects requireNonNull (Ljava/lang/Object;)Ljava/lang/Object;
L4: pop
L5: aload_0
L6: invokedynamic [id22]
L11: areturn
L12:
.linenumbertable
L0 115
L5 116
.end linenumbertable
.end code
.signature '<K:Ljava/lang/Object;V1:Ljava/lang/Object;V2:Ljava/lang/Object;>(Ljava/util/function/Function<TV1;Ljava/util/stream/Stream<+TV2;>;>;)Ljava/util/function/Function<Ljava/util/Map$Entry<TK;TV1;>;Ljava/util/stream/Stream<Ljava/util/Map$Entry<TK;TV2;>;>;>;'
.end method
.method public static mapKey : (Ljava/util/function/Function;)Ljava/util/function/Function;
.code stack 1 locals 1
L0: aload_0
L1: invokestatic Method java/util/Objects requireNonNull (Ljava/lang/Object;)Ljava/lang/Object;
L4: pop
L5: aload_0
L6: invokedynamic [id23]
L11: areturn
L12:
.linenumbertable
L0 126
L5 127
.end linenumbertable
.end code
.signature '<K1:Ljava/lang/Object;K2:Ljava/lang/Object;V:Ljava/lang/Object;>(Ljava/util/function/Function<TK1;TK2;>;)Ljava/util/function/Function<Ljava/util/Map$Entry<TK1;TV;>;Ljava/util/Map$Entry<TK2;TV;>;>;'
.end method
.method public static flatMapKey : (Ljava/util/function/Function;)Ljava/util/function/Function;
.code stack 1 locals 1
L0: aload_0
L1: invokestatic Method java/util/Objects requireNonNull (Ljava/lang/Object;)Ljava/lang/Object;
L4: pop
L5: aload_0
L6: invokedynamic [id24]
L11: areturn
L12:
.linenumbertable
L0 137
L5 138
.end linenumbertable
.end code
.signature '<K1:Ljava/lang/Object;K2:Ljava/lang/Object;V:Ljava/lang/Object;>(Ljava/util/function/Function<TK1;Ljava/util/stream/Stream<+TK2;>;>;)Ljava/util/function/Function<Ljava/util/Map$Entry<TK1;TV;>;Ljava/util/stream/Stream<Ljava/util/Map$Entry<TK2;TV;>;>;>;'
.end method
.method public static toEntry : (Ljava/lang/Object;Ljava/util/function/Function;)Ljava/util/function/Function;
.code stack 2 locals 2
L0: aload_1
L1: invokestatic Method java/util/Objects requireNonNull (Ljava/lang/Object;)Ljava/lang/Object;
L4: pop
L5: aload_0
L6: aload_1
L7: invokedynamic [id25]
L12: areturn
L13:
.linenumbertable
L0 149
L5 150
.end linenumbertable
.end code
.signature '<K:Ljava/lang/Object;T:Ljava/lang/Object;R:Ljava/lang/Object;>(TK;Ljava/util/function/Function<TT;TR;>;)Ljava/util/function/Function<TT;Ljava/util/Map$Entry<TK;TR;>;>;'
.end method
.method public static toEntry : ()Ljava/util/function/Function;
.code stack 1 locals 0
L0: invokedynamic [id26]
L5: areturn
L6:
.linenumbertable
L0 159
.end linenumbertable
.end code
.signature '<T:Ljava/lang/Object;>()Ljava/util/function/Function<TT;Ljava/util/Map$Entry<TT;TT;>;>;'
.end method
.method private static synthetic lambda$toEntry$11 : (Ljava/lang/Object;)Ljava/util/Map$Entry;
.code stack 4 locals 1
L0: new java/util/AbstractMap$SimpleEntry
L3: dup
L4: aload_0
L5: aload_0
L6: invokespecial Method java/util/AbstractMap$SimpleEntry <init> (Ljava/lang/Object;Ljava/lang/Object;)V
L9: areturn
L10:
.linenumbertable
L0 159
.end linenumbertable
.end code
.end method
.method private static synthetic lambda$toEntry$10 : (Ljava/lang/Object;Ljava/util/function/Function;Ljava/lang/Object;)Ljava/util/Map$Entry;
.code stack 5 locals 3
L0: new java/util/AbstractMap$SimpleEntry
L3: dup
L4: aload_0
L5: aload_1
L6: aload_2
L7: invokeinterface InterfaceMethod java/util/function/Function apply (Ljava/lang/Object;)Ljava/lang/Object; 2
L12: invokespecial Method java/util/AbstractMap$SimpleEntry <init> (Ljava/lang/Object;Ljava/lang/Object;)V
L15: areturn
L16:
.linenumbertable
L0 150
.end linenumbertable
.end code
.end method
.method private static synthetic lambda$flatMapKey$9 : (Ljava/util/function/Function;Ljava/util/Map$Entry;)Ljava/util/stream/Stream;
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokeinterface InterfaceMethod java/util/Map$Entry getKey ()Ljava/lang/Object; 1
L7: invokeinterface InterfaceMethod java/util/function/Function apply (Ljava/lang/Object;)Ljava/lang/Object; 2
L12: checkcast java/util/stream/Stream
L15: aload_1
L16: invokedynamic [id30]
L21: invokeinterface InterfaceMethod java/util/stream/Stream map (Ljava/util/function/Function;)Ljava/util/stream/Stream; 2
L26: areturn
L27:
.linenumbertable
L0 138
.end linenumbertable
.end code
.end method
.method private static synthetic lambda$null$8 : (Ljava/util/Map$Entry;Ljava/lang/Object;)Ljava/util/Map$Entry;
.code stack 4 locals 2
L0: new java/util/AbstractMap$SimpleEntry
L3: dup
L4: aload_1
L5: aload_0
L6: invokeinterface InterfaceMethod java/util/Map$Entry getValue ()Ljava/lang/Object; 1
L11: invokespecial Method java/util/AbstractMap$SimpleEntry <init> (Ljava/lang/Object;Ljava/lang/Object;)V
L14: areturn
L15:
.linenumbertable
L0 138
.end linenumbertable
.end code
.end method
.method private static synthetic lambda$mapKey$7 : (Ljava/util/function/Function;Ljava/util/Map$Entry;)Ljava/util/Map$Entry;
.code stack 4 locals 2
L0: new java/util/AbstractMap$SimpleEntry
L3: dup
L4: aload_0
L5: aload_1
L6: invokeinterface InterfaceMethod java/util/Map$Entry getKey ()Ljava/lang/Object; 1
L11: invokeinterface InterfaceMethod java/util/function/Function apply (Ljava/lang/Object;)Ljava/lang/Object; 2
L16: aload_1
L17: invokeinterface InterfaceMethod java/util/Map$Entry getValue ()Ljava/lang/Object; 1
L22: invokespecial Method java/util/AbstractMap$SimpleEntry <init> (Ljava/lang/Object;Ljava/lang/Object;)V
L25: areturn
L26:
.linenumbertable
L0 127
.end linenumbertable
.end code
.end method
.method private static synthetic lambda$flatMapValue$6 : (Ljava/util/function/Function;Ljava/util/Map$Entry;)Ljava/util/stream/Stream;
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokeinterface InterfaceMethod java/util/Map$Entry getValue ()Ljava/lang/Object; 1
L7: invokeinterface InterfaceMethod java/util/function/Function apply (Ljava/lang/Object;)Ljava/lang/Object; 2
L12: checkcast java/util/stream/Stream
L15: aload_1
L16: invokedynamic [id33]
L21: invokeinterface InterfaceMethod java/util/stream/Stream map (Ljava/util/function/Function;)Ljava/util/stream/Stream; 2
L26: areturn
L27:
.linenumbertable
L0 116
.end linenumbertable
.end code
.end method
.method private static synthetic lambda$null$5 : (Ljava/util/Map$Entry;Ljava/lang/Object;)Ljava/util/Map$Entry;
.code stack 4 locals 2
L0: new java/util/AbstractMap$SimpleEntry
L3: dup
L4: aload_0
L5: invokeinterface InterfaceMethod java/util/Map$Entry getKey ()Ljava/lang/Object; 1
L10: aload_1
L11: invokespecial Method java/util/AbstractMap$SimpleEntry <init> (Ljava/lang/Object;Ljava/lang/Object;)V
L14: areturn
L15:
.linenumbertable
L0 116
.end linenumbertable
.end code
.end method
.method private static synthetic lambda$mapValue$4 : (Ljava/util/function/Function;Ljava/util/Map$Entry;)Ljava/util/Map$Entry;
.code stack 2 locals 2
L0: aload_1
L1: invokeinterface InterfaceMethod java/util/Map$Entry getKey ()Ljava/lang/Object; 1
L6: aload_0
L7: invokestatic Method Maps toEntry (Ljava/lang/Object;Ljava/util/function/Function;)Ljava/util/function/Function;
L10: aload_1
L11: invokeinterface InterfaceMethod java/util/Map$Entry getValue ()Ljava/lang/Object; 1
L16: invokeinterface InterfaceMethod java/util/function/Function apply (Ljava/lang/Object;)Ljava/lang/Object; 2
L21: checkcast java/util/Map$Entry
L24: areturn
L25:
.linenumbertable
L0 105
.end linenumbertable
.end code
.end method
.method private static synthetic lambda$entriesToConcurrentMap$3 : (Ljava/util/Map$Entry;)Ljava/lang/Object;
.code stack 1 locals 1
L0: aload_0
L1: invokeinterface InterfaceMethod java/util/Map$Entry getValue ()Ljava/lang/Object; 1
L6: areturn
L7:
.linenumbertable
L0 49
.end linenumbertable
.end code
.end method
.method private static synthetic lambda$entriesToConcurrentMap$2 : (Ljava/util/Map$Entry;)Ljava/lang/Object;
.code stack 1 locals 1
L0: aload_0
L1: invokeinterface InterfaceMethod java/util/Map$Entry getKey ()Ljava/lang/Object; 1
L6: areturn
L7:
.linenumbertable
L0 49
.end linenumbertable
.end code
.end method
.method private static synthetic lambda$entriesToMap$1 : (Ljava/util/Map$Entry;)Ljava/lang/Object;
.code stack 1 locals 1
L0: aload_0
L1: invokeinterface InterfaceMethod java/util/Map$Entry getValue ()Ljava/lang/Object; 1
L6: areturn
L7:
.linenumbertable
L0 40
.end linenumbertable
.end code
.end method
.method private static synthetic lambda$entriesToMap$0 : (Ljava/util/Map$Entry;)Ljava/lang/Object;
.code stack 1 locals 1
L0: aload_0
L1: invokeinterface InterfaceMethod java/util/Map$Entry getKey ()Ljava/lang/Object; 1
L6: areturn
L7:
.linenumbertable
L0 40
.end linenumbertable
.end code
.end method
.sourcefile 'Maps.java'
.innerclasses
java/util/Map$Entry java/util/Map Entry public static interface abstract
java/util/AbstractMap$SimpleEntry java/util/AbstractMap SimpleEntry public static
java/lang/invoke/MethodHandles$Lookup java/lang/invoke/MethodHandles Lookup public static final
.end innerclasses
.const [id4] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory [u209] MethodType (Ljava/lang/Object;)Ljava/lang/Object; MethodHandle invokeStatic Method Maps lambda$entriesToMap$0 (Ljava/util/Map$Entry;)Ljava/lang/Object; MethodType (Ljava/util/Map$Entry;)Ljava/lang/Object; : apply ()Ljava/util/function/Function;
.const [id5] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory [u209] MethodType (Ljava/lang/Object;)Ljava/lang/Object; MethodHandle invokeStatic Method Maps lambda$entriesToMap$1 (Ljava/util/Map$Entry;)Ljava/lang/Object; MethodType (Ljava/util/Map$Entry;)Ljava/lang/Object; : apply ()Ljava/util/function/Function;
.const [id7] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory [u209] MethodType (Ljava/lang/Object;)Ljava/lang/Object; MethodHandle invokeStatic Method Maps lambda$entriesToConcurrentMap$2 (Ljava/util/Map$Entry;)Ljava/lang/Object; MethodType (Ljava/util/Map$Entry;)Ljava/lang/Object; : apply ()Ljava/util/function/Function;
.const [id8] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory [u209] MethodType (Ljava/lang/Object;)Ljava/lang/Object; MethodHandle invokeStatic Method Maps lambda$entriesToConcurrentMap$3 (Ljava/util/Map$Entry;)Ljava/lang/Object; MethodType (Ljava/util/Map$Entry;)Ljava/lang/Object; : apply ()Ljava/util/function/Function;
.const [id21] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory [u209] MethodType (Ljava/lang/Object;)Ljava/lang/Object; MethodHandle invokeStatic Method Maps lambda$mapValue$4 (Ljava/util/function/Function;Ljava/util/Map$Entry;)Ljava/util/Map$Entry; MethodType (Ljava/util/Map$Entry;)Ljava/util/Map$Entry; : apply [u64]
.const [id22] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory [u209] MethodType (Ljava/lang/Object;)Ljava/lang/Object; MethodHandle invokeStatic Method Maps lambda$flatMapValue$6 (Ljava/util/function/Function;Ljava/util/Map$Entry;)Ljava/util/stream/Stream; MethodType (Ljava/util/Map$Entry;)Ljava/util/stream/Stream; : apply [u64]
.const [id23] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory [u209] MethodType (Ljava/lang/Object;)Ljava/lang/Object; MethodHandle invokeStatic Method Maps lambda$mapKey$7 (Ljava/util/function/Function;Ljava/util/Map$Entry;)Ljava/util/Map$Entry; MethodType (Ljava/util/Map$Entry;)Ljava/util/Map$Entry; : apply [u64]
.const [id24] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory [u209] MethodType (Ljava/lang/Object;)Ljava/lang/Object; MethodHandle invokeStatic Method Maps lambda$flatMapKey$9 (Ljava/util/function/Function;Ljava/util/Map$Entry;)Ljava/util/stream/Stream; MethodType (Ljava/util/Map$Entry;)Ljava/util/stream/Stream; : apply [u64]
.const [id25] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory [u209] MethodType (Ljava/lang/Object;)Ljava/lang/Object; MethodHandle invokeStatic Method Maps lambda$toEntry$10 (Ljava/lang/Object;Ljava/util/function/Function;Ljava/lang/Object;)Ljava/util/Map$Entry; MethodType (Ljava/lang/Object;)Ljava/util/Map$Entry; : apply (Ljava/lang/Object;Ljava/util/function/Function;)Ljava/util/function/Function;
.const [id26] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory [u209] MethodType (Ljava/lang/Object;)Ljava/lang/Object; MethodHandle invokeStatic Method Maps lambda$toEntry$11 (Ljava/lang/Object;)Ljava/util/Map$Entry; MethodType (Ljava/lang/Object;)Ljava/util/Map$Entry; : apply ()Ljava/util/function/Function;
.const [id30] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory [u209] MethodType (Ljava/lang/Object;)Ljava/lang/Object; MethodHandle invokeStatic Method Maps lambda$null$8 (Ljava/util/Map$Entry;Ljava/lang/Object;)Ljava/util/Map$Entry; MethodType (Ljava/lang/Object;)Ljava/util/Map$Entry; : apply (Ljava/util/Map$Entry;)Ljava/util/function/Function;
.const [id33] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory [u209] MethodType (Ljava/lang/Object;)Ljava/lang/Object; MethodHandle invokeStatic Method Maps lambda$null$5 (Ljava/util/Map$Entry;Ljava/lang/Object;)Ljava/util/Map$Entry; MethodType (Ljava/lang/Object;)Ljava/util/Map$Entry; : apply (Ljava/util/Map$Entry;)Ljava/util/function/Function;
.const [u64] = Utf8 (Ljava/util/function/Function;)Ljava/util/function/Function;
.const [u209] = Utf8 (Ljava/lang/invoke/MethodHandles$Lookup;Ljava/lang/String;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodHandle;Ljava/lang/invoke/MethodType;)Ljava/lang/invoke/CallSite;
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 20:53:24 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Maps_ESTest extends Maps_ESTest_scaffolding {
@Test
public void notGeneratedAnyTest() {
// EvoSuite did not generate any tests
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 20:53:24 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Maps_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 = "Maps";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.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(Maps_ESTest_scaffolding.class.getClassLoader() ,
"Maps"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Maps_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Maps"
);
}
}
| 12,177 |
Utils | import java.util.Arrays;
import java.util.LinkedList;
import java.util.List;
public final class Utils {
public static byte[] Concatenate(final byte[] a, final byte[] bytes) {
final byte[] result = new byte[a.length + bytes.length];
System.arraycopy(a, 0, result, 0, a.length);
System.arraycopy(bytes, 0, result, a.length, bytes.length);
return result;
}
/**
* Split a byte array around a byte separator, within a given limit
*
* @param separator byte separator
* @param input bytes array to split
* @param limit max number of elements allowed in the returned list If limit is < 0, then proceed
* as if there were no limit
* @return list of bytes arrays, its size being of maximum {limit} elements if limit = 0: returns
* empty list if limit = 1: returns the first element result of the split (i.e. a list of one
* byte[] stopping at the first separator)
*/
public static List<byte[]> split(final byte separator, final byte[] input, final int limit) {
final List<byte[]> list = new LinkedList<>();
if (0 == limit) {
return list;
}
int blockStart = 0;
int blockEnd = 0;
final boolean limited = 0 < limit;
while (blockEnd < input.length && (!limited || limit > list.size() + 1)) {
if (separator == input[blockEnd]) {
list.add(Arrays.copyOfRange(input, blockStart, blockEnd));
blockStart = blockEnd + 1;
}
blockEnd++;
}
list.add(Arrays.copyOfRange(input, blockStart, input.length));
return list;
}
}
| .version 52 0
.class public final super Utils
.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 Concatenate : ([B[B)[B
.code stack 5 locals 3
L0: aload_0
L1: arraylength
L2: aload_1
L3: arraylength
L4: iadd
L5: newarray byte
L7: astore_2
L8: aload_0
L9: iconst_0
L10: aload_2
L11: iconst_0
L12: aload_0
L13: arraylength
L14: invokestatic Method java/lang/System arraycopy (Ljava/lang/Object;ILjava/lang/Object;II)V
L17: aload_1
L18: iconst_0
L19: aload_2
L20: aload_0
L21: arraylength
L22: aload_1
L23: arraylength
L24: invokestatic Method java/lang/System arraycopy (Ljava/lang/Object;ILjava/lang/Object;II)V
L27: aload_2
L28: areturn
L29:
.linenumbertable
L0 11
L8 12
L17 13
L27 14
.end linenumbertable
.end code
.end method
.method public static split : (B[BI)Ljava/util/List;
.code stack 4 locals 7
L0: new java/util/LinkedList
L3: dup
L4: invokespecial Method java/util/LinkedList <init> ()V
L7: astore_3
L8: iconst_0
L9: iload_2
L10: if_icmpne L15
L13: aload_3
L14: areturn
.stack append Object java/util/List
L15: iconst_0
L16: istore 4
L18: iconst_0
L19: istore 5
L21: iconst_0
L22: iload_2
L23: if_icmpge L30
L26: iconst_1
L27: goto L31
.stack append Integer Integer
L30: iconst_0
.stack stack_1 Integer
L31: istore 6
.stack append Integer
L33: iload 5
L35: aload_1
L36: arraylength
L37: if_icmpge L92
L40: iload 6
L42: ifeq L57
L45: iload_2
L46: aload_3
L47: invokeinterface InterfaceMethod java/util/List size ()I 1
L52: iconst_1
L53: iadd
L54: if_icmple L92
.stack same
L57: iload_0
L58: aload_1
L59: iload 5
L61: baload
L62: if_icmpne L86
L65: aload_3
L66: aload_1
L67: iload 4
L69: iload 5
L71: invokestatic Method java/util/Arrays copyOfRange ([BII)[B
L74: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L79: pop
L80: iload 5
L82: iconst_1
L83: iadd
L84: istore 4
.stack same
L86: iinc 5 1
L89: goto L33
.stack same
L92: aload_3
L93: aload_1
L94: iload 4
L96: aload_1
L97: arraylength
L98: invokestatic Method java/util/Arrays copyOfRange ([BII)[B
L101: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L106: pop
L107: aload_3
L108: areturn
L109:
.linenumbertable
L0 33
L8 34
L13 35
L15 38
L18 39
L21 40
L33 41
L57 42
L65 43
L80 44
L86 46
L92 48
L107 49
.end linenumbertable
.end code
.signature (B[BI)Ljava/util/List<[B>;
.end method
.sourcefile 'Utils.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 19:24:51 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
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 Utils_ESTest extends Utils_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
byte[] byteArray0 = new byte[3];
byteArray0[0] = (byte)1;
byteArray0[1] = (byte)1;
byte[] byteArray1 = Utils.Concatenate(byteArray0, byteArray0);
List<byte[]> list0 = Utils.split((byte)1, byteArray0, (-45938));
assertEquals(3, list0.size());
List<byte[]> list1 = Utils.split((byte) (-1), byteArray0, (byte)1);
List<byte[]> list2 = Utils.split((byte)70, byteArray0, 0);
assertEquals(0, list2.size());
assertFalse(list2.equals((Object)list1));
byte[] byteArray2 = Utils.Concatenate(byteArray1, byteArray1);
assertEquals(12, byteArray2.length);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
byte[] byteArray0 = new byte[3];
byteArray0[1] = (byte)1;
byte[] byteArray1 = Utils.Concatenate(byteArray0, byteArray0);
List<byte[]> list0 = Utils.split((byte) (-56), byteArray0, (-44180));
assertEquals(1, list0.size());
Utils utils0 = new Utils();
List<byte[]> list1 = Utils.split((byte)1, byteArray0, (-45938));
assertEquals(2, list1.size());
List<byte[]> list2 = Utils.split((byte) (-1), byteArray0, (byte)1);
List<byte[]> list3 = Utils.split((byte)70, byteArray0, 0);
assertFalse(list3.equals((Object)list2));
assertEquals(0, list3.size());
byte[] byteArray2 = Utils.Concatenate(byteArray1, byteArray1);
assertEquals(12, byteArray2.length);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
byte[] byteArray0 = new byte[3];
byteArray0[0] = (byte)1;
byte[] byteArray1 = Utils.Concatenate(byteArray0, byteArray0);
List<byte[]> list0 = Utils.split((byte) (-56), byteArray0, (-44180));
assertEquals(1, list0.size());
Utils utils0 = new Utils();
List<byte[]> list1 = Utils.split((byte)1, byteArray0, (-45938));
assertEquals(2, list1.size());
List<byte[]> list2 = Utils.split((byte) (-1), byteArray0, (byte)1);
List<byte[]> list3 = Utils.split((byte)70, byteArray0, 0);
assertFalse(list3.equals((Object)list2));
assertEquals(0, list3.size());
byte[] byteArray2 = Utils.Concatenate(byteArray1, byteArray1);
assertEquals(12, byteArray2.length);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
byte[] byteArray0 = new byte[3];
byte[] byteArray1 = Utils.Concatenate(byteArray0, byteArray0);
List<byte[]> list0 = Utils.split((byte) (-56), byteArray0, (-44180));
assertEquals(1, list0.size());
Utils utils0 = new Utils();
List<byte[]> list1 = Utils.split((byte) (-1), byteArray0, (byte)1);
assertEquals(1, list1.size());
byte[] byteArray2 = Utils.Concatenate(byteArray1, byteArray1);
assertEquals(12, byteArray2.length);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
byte[] byteArray0 = new byte[0];
byte[] byteArray1 = Utils.Concatenate(byteArray0, byteArray0);
assertEquals(0, byteArray1.length);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
byte[] byteArray0 = new byte[3];
byteArray0[0] = (byte)1;
List<byte[]> list0 = Utils.split((byte)1, byteArray0, (-45938));
assertEquals(2, list0.size());
}
@Test(timeout = 4000)
public void test6() throws Throwable {
byte[] byteArray0 = new byte[3];
List<byte[]> list0 = Utils.split((byte) (-1), byteArray0, (byte)1);
assertEquals(1, list0.size());
}
@Test(timeout = 4000)
public void test7() throws Throwable {
byte[] byteArray0 = new byte[1];
List<byte[]> list0 = Utils.split((byte)7, byteArray0, (byte)7);
assertEquals(1, list0.size());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 19: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 Utils_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Utils";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp0vq30ysy");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Utils_ESTest_scaffolding.class.getClassLoader() ,
"Utils"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Utils_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Utils"
);
}
}
| 12,178 |
CustomMetadataItem | /*
* Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License").
* You may not use this file except in compliance with the License.
* A copy of the License is located at
*
* http://aws.amazon.com/apache2.0
*
* or in the "license" file accompanying this file. This file is distributed
* on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either
* express or implied. See the License for the specific language governing
* permissions and limitations under the License.
*/
import java.time.Instant;
import java.util.Objects;
public class CustomMetadataItem {
private String id;
private String customMetadataObjectAttribute;
private Instant customMetadataCollectionAttribute;
private Long customMetadataMapAttribute;
public String getId() {
return this.id;
}
public void setId(String id) {
this.id = id;
}
public String getCustomMetadataObjectAttribute() {
return customMetadataObjectAttribute;
}
public void setCustomMetadataObjectAttribute(String customMetadataObjectAttribute) {
this.customMetadataObjectAttribute = customMetadataObjectAttribute;
}
public Instant getCustomMetadataCollectionAttribute() {
return customMetadataCollectionAttribute;
}
public void setCustomMetadataCollectionAttribute(Instant customMetadataCollectionAttribute) {
this.customMetadataCollectionAttribute = customMetadataCollectionAttribute;
}
public Long getCustomMetadataMapAttribute() {
return customMetadataMapAttribute;
}
public void setCustomMetadataMapAttribute(Long customMetadataMapAttribute) {
this.customMetadataMapAttribute = customMetadataMapAttribute;
}
@Override
public boolean equals(Object o) {
if (this == o) return true;
if (o == null || getClass() != o.getClass()) return false;
CustomMetadataItem that = (CustomMetadataItem) o;
return Objects.equals(id, that.id)
&& Objects.equals(customMetadataObjectAttribute, that.customMetadataObjectAttribute)
&& Objects.equals(customMetadataCollectionAttribute, that.customMetadataCollectionAttribute)
&& Objects.equals(customMetadataMapAttribute, that.customMetadataMapAttribute);
}
@Override
public int hashCode() {
return Objects.hash(
id,
customMetadataObjectAttribute,
customMetadataCollectionAttribute,
customMetadataMapAttribute);
}
}
| .version 52 0
.class public super CustomMetadataItem
.super java/lang/Object
.field private id Ljava/lang/String;
.field private customMetadataObjectAttribute Ljava/lang/String;
.field private customMetadataCollectionAttribute Ljava/time/Instant;
.field private customMetadataMapAttribute Ljava/lang/Long;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 21
.end linenumbertable
.end code
.end method
.method public getId : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CustomMetadataItem id Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 28
.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 CustomMetadataItem id Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 32
L5 33
.end linenumbertable
.end code
.end method
.method public getCustomMetadataObjectAttribute : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CustomMetadataItem customMetadataObjectAttribute Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 36
.end linenumbertable
.end code
.end method
.method public setCustomMetadataObjectAttribute : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field CustomMetadataItem customMetadataObjectAttribute Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 40
L5 41
.end linenumbertable
.end code
.end method
.method public getCustomMetadataCollectionAttribute : ()Ljava/time/Instant;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CustomMetadataItem customMetadataCollectionAttribute Ljava/time/Instant;
L4: areturn
L5:
.linenumbertable
L0 44
.end linenumbertable
.end code
.end method
.method public setCustomMetadataCollectionAttribute : (Ljava/time/Instant;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field CustomMetadataItem customMetadataCollectionAttribute Ljava/time/Instant;
L5: return
L6:
.linenumbertable
L0 48
L5 49
.end linenumbertable
.end code
.end method
.method public getCustomMetadataMapAttribute : ()Ljava/lang/Long;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CustomMetadataItem customMetadataMapAttribute Ljava/lang/Long;
L4: areturn
L5:
.linenumbertable
L0 52
.end linenumbertable
.end code
.end method
.method public setCustomMetadataMapAttribute : (Ljava/lang/Long;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field CustomMetadataItem customMetadataMapAttribute Ljava/lang/Long;
L5: return
L6:
.linenumbertable
L0 56
L5 57
.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 CustomMetadataItem
L28: astore_2
L29: aload_0
L30: getfield Field CustomMetadataItem id Ljava/lang/String;
L33: aload_2
L34: getfield Field CustomMetadataItem id Ljava/lang/String;
L37: invokestatic Method java/util/Objects equals (Ljava/lang/Object;Ljava/lang/Object;)Z
L40: ifeq L89
L43: aload_0
L44: getfield Field CustomMetadataItem customMetadataObjectAttribute Ljava/lang/String;
L47: aload_2
L48: getfield Field CustomMetadataItem customMetadataObjectAttribute Ljava/lang/String;
L51: invokestatic Method java/util/Objects equals (Ljava/lang/Object;Ljava/lang/Object;)Z
L54: ifeq L89
L57: aload_0
L58: getfield Field CustomMetadataItem customMetadataCollectionAttribute Ljava/time/Instant;
L61: aload_2
L62: getfield Field CustomMetadataItem customMetadataCollectionAttribute Ljava/time/Instant;
L65: invokestatic Method java/util/Objects equals (Ljava/lang/Object;Ljava/lang/Object;)Z
L68: ifeq L89
L71: aload_0
L72: getfield Field CustomMetadataItem customMetadataMapAttribute Ljava/lang/Long;
L75: aload_2
L76: getfield Field CustomMetadataItem customMetadataMapAttribute Ljava/lang/Long;
L79: invokestatic Method java/util/Objects equals (Ljava/lang/Object;Ljava/lang/Object;)Z
L82: ifeq L89
L85: iconst_1
L86: goto L90
.stack append Object CustomMetadataItem
L89: iconst_0
.stack stack_1 Integer
L90: ireturn
L91:
.linenumbertable
L0 61
L7 62
L24 63
L29 64
L51 65
L65 66
L79 67
L90 64
.end linenumbertable
.end code
.end method
.method public hashCode : ()I
.code stack 4 locals 1
L0: iconst_4
L1: anewarray java/lang/Object
L4: dup
L5: iconst_0
L6: aload_0
L7: getfield Field CustomMetadataItem id Ljava/lang/String;
L10: aastore
L11: dup
L12: iconst_1
L13: aload_0
L14: getfield Field CustomMetadataItem customMetadataObjectAttribute Ljava/lang/String;
L17: aastore
L18: dup
L19: iconst_2
L20: aload_0
L21: getfield Field CustomMetadataItem customMetadataCollectionAttribute Ljava/time/Instant;
L24: aastore
L25: dup
L26: iconst_3
L27: aload_0
L28: getfield Field CustomMetadataItem customMetadataMapAttribute Ljava/lang/Long;
L31: aastore
L32: invokestatic Method java/util/Objects hash ([Ljava/lang/Object;)I
L35: ireturn
L36:
.linenumbertable
L0 72
.end linenumbertable
.end code
.end method
.sourcefile 'CustomMetadataItem.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 01:41:19 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.time.Instant;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.mock.java.time.MockInstant;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class CustomMetadataItem_ESTest extends CustomMetadataItem_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
CustomMetadataItem customMetadataItem0 = new CustomMetadataItem();
customMetadataItem0.setId("GV<1}iX {E v)");
String string0 = customMetadataItem0.getId();
assertEquals("GV<1}iX {E v)", string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
CustomMetadataItem customMetadataItem0 = new CustomMetadataItem();
customMetadataItem0.setId("");
String string0 = customMetadataItem0.getId();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
CustomMetadataItem customMetadataItem0 = new CustomMetadataItem();
customMetadataItem0.setCustomMetadataObjectAttribute("{c)PJl}");
String string0 = customMetadataItem0.getCustomMetadataObjectAttribute();
assertEquals("{c)PJl}", string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
CustomMetadataItem customMetadataItem0 = new CustomMetadataItem();
Long long0 = new Long((-43986L));
customMetadataItem0.setCustomMetadataMapAttribute(long0);
Long long1 = customMetadataItem0.getCustomMetadataMapAttribute();
assertEquals((-43986L), (long)long1);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
CustomMetadataItem customMetadataItem0 = new CustomMetadataItem();
Long long0 = new Long(0L);
customMetadataItem0.setCustomMetadataMapAttribute(long0);
Long long1 = customMetadataItem0.getCustomMetadataMapAttribute();
assertEquals(0L, (long)long1);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
CustomMetadataItem customMetadataItem0 = new CustomMetadataItem();
Long long0 = new Long(52092L);
customMetadataItem0.setCustomMetadataMapAttribute(long0);
Long long1 = customMetadataItem0.getCustomMetadataMapAttribute();
assertEquals(52092L, (long)long1);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
CustomMetadataItem customMetadataItem0 = new CustomMetadataItem();
Long long0 = new Long((-23098L));
customMetadataItem0.setCustomMetadataMapAttribute(long0);
Long long1 = customMetadataItem0.getCustomMetadataMapAttribute();
assertEquals((-23098L), (long)long1);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
CustomMetadataItem customMetadataItem0 = new CustomMetadataItem();
Instant instant0 = MockInstant.ofEpochMilli(1L);
customMetadataItem0.setCustomMetadataCollectionAttribute(instant0);
Instant instant1 = customMetadataItem0.getCustomMetadataCollectionAttribute();
assertSame(instant1, instant0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
CustomMetadataItem customMetadataItem0 = new CustomMetadataItem();
customMetadataItem0.setId("");
customMetadataItem0.setCustomMetadataObjectAttribute("");
CustomMetadataItem customMetadataItem1 = new CustomMetadataItem();
customMetadataItem1.setId("");
boolean boolean0 = customMetadataItem0.equals(customMetadataItem1);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
CustomMetadataItem customMetadataItem0 = new CustomMetadataItem();
customMetadataItem0.setId("");
CustomMetadataItem customMetadataItem1 = new CustomMetadataItem();
boolean boolean0 = customMetadataItem0.equals(customMetadataItem1);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
CustomMetadataItem customMetadataItem0 = new CustomMetadataItem();
boolean boolean0 = customMetadataItem0.equals("GV<1}iX {E v)");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
CustomMetadataItem customMetadataItem0 = new CustomMetadataItem();
CustomMetadataItem customMetadataItem1 = new CustomMetadataItem();
boolean boolean0 = customMetadataItem0.equals(customMetadataItem1);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
CustomMetadataItem customMetadataItem0 = new CustomMetadataItem();
boolean boolean0 = customMetadataItem0.equals(customMetadataItem0);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
CustomMetadataItem customMetadataItem0 = new CustomMetadataItem();
boolean boolean0 = customMetadataItem0.equals((Object) null);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
CustomMetadataItem customMetadataItem0 = new CustomMetadataItem();
Instant instant0 = customMetadataItem0.getCustomMetadataCollectionAttribute();
assertNull(instant0);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
CustomMetadataItem customMetadataItem0 = new CustomMetadataItem();
String string0 = customMetadataItem0.getCustomMetadataObjectAttribute();
assertNull(string0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
CustomMetadataItem customMetadataItem0 = new CustomMetadataItem();
Long long0 = customMetadataItem0.getCustomMetadataMapAttribute();
assertNull(long0);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
CustomMetadataItem customMetadataItem0 = new CustomMetadataItem();
customMetadataItem0.setCustomMetadataObjectAttribute("");
String string0 = customMetadataItem0.getCustomMetadataObjectAttribute();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
CustomMetadataItem customMetadataItem0 = new CustomMetadataItem();
Long long0 = new Long(0L);
customMetadataItem0.setCustomMetadataMapAttribute(long0);
CustomMetadataItem customMetadataItem1 = new CustomMetadataItem();
boolean boolean0 = customMetadataItem0.equals(customMetadataItem1);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test19() throws Throwable {
CustomMetadataItem customMetadataItem0 = new CustomMetadataItem();
Instant instant0 = MockInstant.ofEpochSecond(0L, 0L);
customMetadataItem0.setCustomMetadataCollectionAttribute(instant0);
CustomMetadataItem customMetadataItem1 = new CustomMetadataItem();
boolean boolean0 = customMetadataItem0.equals(customMetadataItem1);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test20() throws Throwable {
CustomMetadataItem customMetadataItem0 = new CustomMetadataItem();
customMetadataItem0.getId();
customMetadataItem0.hashCode();
customMetadataItem0.hashCode();
customMetadataItem0.equals((Object) null);
String string0 = customMetadataItem0.getId();
assertNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 01:41: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 CustomMetadataItem_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "CustomMetadataItem";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpc7xis9_q");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CustomMetadataItem_ESTest_scaffolding.class.getClassLoader() ,
"CustomMetadataItem"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CustomMetadataItem_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"CustomMetadataItem"
);
}
}
| 12,179 |
MessageConstants | /**
* @author rocky.hu
* @date Jun 29, 2015 3:54:39 PM
*/
public class MessageConstants {
/** SUCCEED Constant. */
public static final String SUCCEED = "Succeed.";
/** The Constant JSON_PASER_ERROR. */
public static final String JSON_PASER_ERROR = " JSON parse failure.Please check the post data. ";
/** The Constant OBJECT_NOTFOUND. */
public static final String OBJECT_NOTFOUND = "The resource cannot been found.";
/** App server Error message. */
public static final String SERVER_ERROR =
"We are experiencing internal server error. Please contact "
+ "Administrator for assistance.";
/** The error message for failed to do authentication. */
public static final String AUTHENTICATION_FAILED = "Authentication failed.";
public static final String INVALID_AUTHORIZATION_HEADER = "Invalid Authorization Header.";
public static final String INVALID_USERNAME_OR_PASSWORD_ERROR = "Invalid username or password.";
public static final String ACCESS_TOKEN_EXPIRED = "Access token Expired.";
public static final String ACCESS_TOKEN_TAMPERED = "Access token Tampered.";
public static final String ACCESS_TOKEN_INVALID = "Access token invalid.";
/** The request data validation messages */
public static final String REQEUST_DATA_INVALID = "Invalid request data.";
}
| .version 52 0
.class public super MessageConstants
.super java/lang/Object
.field public static final SUCCEED Ljava/lang/String; = 'Succeed.'
.field public static final JSON_PASER_ERROR Ljava/lang/String; = ' JSON parse failure.Please check the post data. '
.field public static final OBJECT_NOTFOUND Ljava/lang/String; = 'The resource cannot been found.'
.field public static final SERVER_ERROR Ljava/lang/String; = 'We are experiencing internal server error. Please contact Administrator for assistance.'
.field public static final AUTHENTICATION_FAILED Ljava/lang/String; = 'Authentication failed.'
.field public static final INVALID_AUTHORIZATION_HEADER Ljava/lang/String; = 'Invalid Authorization Header.'
.field public static final INVALID_USERNAME_OR_PASSWORD_ERROR Ljava/lang/String; = 'Invalid username or password.'
.field public static final ACCESS_TOKEN_EXPIRED Ljava/lang/String; = 'Access token Expired.'
.field public static final ACCESS_TOKEN_TAMPERED Ljava/lang/String; = 'Access token Tampered.'
.field public static final ACCESS_TOKEN_INVALID Ljava/lang/String; = 'Access token invalid.'
.field public static final REQEUST_DATA_INVALID Ljava/lang/String; = 'Invalid request data.'
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 7
.end linenumbertable
.end code
.end method
.sourcefile 'MessageConstants.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 11:36:44 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class MessageConstants_ESTest extends MessageConstants_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
MessageConstants messageConstants0 = new MessageConstants();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 11:36:44 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class MessageConstants_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "MessageConstants";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpuypc51vz");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MessageConstants_ESTest_scaffolding.class.getClassLoader() ,
"MessageConstants"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MessageConstants_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MessageConstants"
);
}
}
| 12,180 |
HelloWorld | public class HelloWorld {
public static void main(String[] args) {
System.out.println("Hello again, GitHub!");
System.out.println("Hello, GitHub!");
} // main(String[])
}
| .version 52 0
.class public super HelloWorld
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 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 'Hello again, GitHub!'
L5: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L8: getstatic Field java/lang/System out Ljava/io/PrintStream;
L11: ldc 'Hello, GitHub!'
L13: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L16: return
L17:
.linenumbertable
L0 5
L8 6
L16 7
.end linenumbertable
.end code
.end method
.sourcefile 'HelloWorld.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 14:10:56 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class HelloWorld_ESTest extends HelloWorld_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
HelloWorld helloWorld0 = new HelloWorld();
}
@Test(timeout = 4000)
public void test1() throws Throwable {
String[] stringArray0 = new String[5];
HelloWorld.main(stringArray0);
assertEquals(5, stringArray0.length);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 14:10:56 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class HelloWorld_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "HelloWorld";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp2l_3k7is");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(HelloWorld_ESTest_scaffolding.class.getClassLoader() ,
"HelloWorld"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(HelloWorld_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"HelloWorld"
);
}
}
| 12,181 |
test | /** */
import java.util.ArrayList;
import java.util.Arrays;
import java.util.List;
/**
* @author zhenchengwang
*/
public class test {
/**
* @param args
*/
public static void main(String[] args) {
// TODO Auto-generated method stub
String s = "1 2 3 4 5\n";
String[] result = s.split("\n")[0].split(" ");
Arrays.asList(result);
List<Integer> intResult = new ArrayList<Integer>();
for (String curr : result) intResult.add(Integer.valueOf(curr));
}
}
| .version 52 0
.class public super test
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 14
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 2 locals 8
L0: ldc '1 2 3 4 5\n'
L2: astore_1
L3: aload_1
L4: ldc '\n'
L6: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String;
L9: iconst_0
L10: aaload
L11: ldc ' '
L13: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String;
L16: astore_2
L17: aload_2
L18: invokestatic Method java/util/Arrays asList ([Ljava/lang/Object;)Ljava/util/List;
L21: pop
L22: new java/util/ArrayList
L25: dup
L26: invokespecial Method java/util/ArrayList <init> ()V
L29: astore_3
L30: aload_2
L31: astore 4
L33: aload 4
L35: arraylength
L36: istore 5
L38: iconst_0
L39: istore 6
.stack full
locals Object [Ljava/lang/String; Object java/lang/String Object [Ljava/lang/String; Object java/util/List Object [Ljava/lang/String; Integer Integer
stack
.end stack
L41: iload 6
L43: iload 5
L45: if_icmpge L73
L48: aload 4
L50: iload 6
L52: aaload
L53: astore 7
L55: aload_3
L56: aload 7
L58: invokestatic Method java/lang/Integer valueOf (Ljava/lang/String;)Ljava/lang/Integer;
L61: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L66: pop
L67: iinc 6 1
L70: goto L41
.stack chop 3
L73: return
L74:
.linenumbertable
L0 21
L3 22
L17 23
L22 24
L30 25
L73 27
.end linenumbertable
.end code
.end method
.sourcefile 'test.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 10:20: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 test_ESTest extends test_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
test.main((String[]) null);
test test0 = new test();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 10:20: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 test_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "test";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmphx424h6a");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(test_ESTest_scaffolding.class.getClassLoader() ,
"test"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(test_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"test"
);
}
}
| 12,182 |
CollectionUtils | import java.util.ArrayList;
import java.util.Collection;
import java.util.List;
public final class CollectionUtils {
private CollectionUtils() {}
public static <T> Collection<T> shallowCopy(Collection<T> collection) {
ArrayList<T> copied = new ArrayList<T>(collection.size());
for (T element : collection) {
copied.add(element);
}
return copied;
}
public static <T> List<T> shallowCopyToList(Collection<T> collection) {
ArrayList<T> copied = new ArrayList<T>(collection.size());
for (T element : collection) {
copied.add(element);
}
return copied;
}
}
| .version 52 0
.class public final super CollectionUtils
.super java/lang/Object
.method private <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 9
L4 10
.end linenumbertable
.end code
.end method
.method public static shallowCopy : (Ljava/util/Collection;)Ljava/util/Collection;
.code stack 3 locals 4
L0: new java/util/ArrayList
L3: dup
L4: aload_0
L5: invokeinterface InterfaceMethod java/util/Collection size ()I 1
L10: invokespecial Method java/util/ArrayList <init> (I)V
L13: astore_1
L14: aload_0
L15: invokeinterface InterfaceMethod java/util/Collection iterator ()Ljava/util/Iterator; 1
L20: astore_2
.stack append Object java/util/ArrayList Object java/util/Iterator
L21: aload_2
L22: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1
L27: ifeq L46
L30: aload_2
L31: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1
L36: astore_3
L37: aload_1
L38: aload_3
L39: invokevirtual Method java/util/ArrayList add (Ljava/lang/Object;)Z
L42: pop
L43: goto L21
.stack chop 1
L46: aload_1
L47: areturn
L48:
.linenumbertable
L0 13
L14 14
L37 15
L43 16
L46 17
.end linenumbertable
.end code
.signature '<T:Ljava/lang/Object;>(Ljava/util/Collection<TT;>;)Ljava/util/Collection<TT;>;'
.end method
.method public static shallowCopyToList : (Ljava/util/Collection;)Ljava/util/List;
.code stack 3 locals 4
L0: new java/util/ArrayList
L3: dup
L4: aload_0
L5: invokeinterface InterfaceMethod java/util/Collection size ()I 1
L10: invokespecial Method java/util/ArrayList <init> (I)V
L13: astore_1
L14: aload_0
L15: invokeinterface InterfaceMethod java/util/Collection iterator ()Ljava/util/Iterator; 1
L20: astore_2
.stack append Object java/util/ArrayList Object java/util/Iterator
L21: aload_2
L22: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1
L27: ifeq L46
L30: aload_2
L31: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1
L36: astore_3
L37: aload_1
L38: aload_3
L39: invokevirtual Method java/util/ArrayList add (Ljava/lang/Object;)Z
L42: pop
L43: goto L21
.stack chop 1
L46: aload_1
L47: areturn
L48:
.linenumbertable
L0 21
L14 22
L37 23
L43 24
L46 25
.end linenumbertable
.end code
.signature '<T:Ljava/lang/Object;>(Ljava/util/Collection<TT;>;)Ljava/util/List<TT;>;'
.end method
.sourcefile 'CollectionUtils.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 06:24:36 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.util.Collection;
import java.util.LinkedList;
import java.util.List;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class CollectionUtils_ESTest extends CollectionUtils_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
LinkedList<String> linkedList0 = new LinkedList<String>();
linkedList0.push("R)M$wT");
List<String> list0 = CollectionUtils.shallowCopyToList((Collection<String>) linkedList0);
assertTrue(list0.contains("R)M$wT"));
}
@Test(timeout = 4000)
public void test1() throws Throwable {
LinkedList<String> linkedList0 = new LinkedList<String>();
List<String> list0 = CollectionUtils.shallowCopyToList((Collection<String>) linkedList0);
assertTrue(list0.isEmpty());
}
@Test(timeout = 4000)
public void test2() throws Throwable {
LinkedList<String> linkedList0 = new LinkedList<String>();
linkedList0.push("R)M$wT");
Collection<String> collection0 = CollectionUtils.shallowCopy((Collection<String>) linkedList0);
assertTrue(collection0.contains("R)M$wT"));
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 06:24:36 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class CollectionUtils_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "CollectionUtils";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp2nrew6hb");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CollectionUtils_ESTest_scaffolding.class.getClassLoader() ,
"CollectionUtils"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CollectionUtils_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"CollectionUtils"
);
}
}
| 12,183 |
InvalidOrderByException | /**
* Exception, that describes invalid regex.
*
* @author ivanursul
*/
public class InvalidOrderByException extends RuntimeException {
private static final long serialVersionUID = 1L;
private String value;
/**
* Constructor, that takes all required parameters.
*
* @param value value.
*/
public InvalidOrderByException(final String value) {
super("Invalid string for order by field");
this.value = value;
}
public String getValue() {
return value;
}
}
| .version 52 0
.class public super InvalidOrderByException
.super java/lang/RuntimeException
.field private static final serialVersionUID J = 1L
.field private value Ljava/lang/String;
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: ldc 'Invalid string for order by field'
L3: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V
L6: aload_0
L7: aload_1
L8: putfield Field InvalidOrderByException value Ljava/lang/String;
L11: return
L12:
.linenumbertable
L0 18
L6 19
L11 20
.end linenumbertable
.end code
.end method
.method public getValue : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field InvalidOrderByException value Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 23
.end linenumbertable
.end code
.end method
.sourcefile 'InvalidOrderByException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 12:40: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 InvalidOrderByException_ESTest extends InvalidOrderByException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
InvalidOrderByException invalidOrderByException0 = new InvalidOrderByException((String) null);
String string0 = invalidOrderByException0.getValue();
assertNull(string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
InvalidOrderByException invalidOrderByException0 = new InvalidOrderByException("Invalid string for order by field");
String string0 = invalidOrderByException0.getValue();
assertEquals("Invalid string for order by field", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
InvalidOrderByException invalidOrderByException0 = new InvalidOrderByException("");
String string0 = invalidOrderByException0.getValue();
assertEquals("", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 12:40: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 InvalidOrderByException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "InvalidOrderByException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp8izaj_wo");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(InvalidOrderByException_ESTest_scaffolding.class.getClassLoader() ,
"InvalidOrderByException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(InvalidOrderByException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"InvalidOrderByException"
);
}
}
| 12,184 |
TypeMatcher | /***** BEGIN LICENSE BLOCK *****
* Version: CPL 1.0/GPL 2.0/LGPL 2.1
*
* The contents of this file are subject to the Common Public
* License Version 1.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.eclipse.org/legal/cpl-v10.html
*
* Software distributed under the License is distributed on an "AS
* IS" basis, WITHOUT WARRANTY OF ANY KIND, either express or
* implied. See the License for the specific language governing
* rights and limitations under the License.
*
* Copyright (C) 2006 Ola Bini <ola@ologix.com>
*
* Alternatively, the contents of this file may be used under the terms of
* either of the GNU General Public License Version 2 or later (the "GPL"),
* or the GNU Lesser General Public License Version 2.1 or later (the "LGPL"),
* in which case the provisions of the GPL or the LGPL are applicable instead
* of those above. If you wish to allow use of your version of this file only
* under the terms of either the GPL or the LGPL, and not to allow others to
* use your version of this file under the terms of the CPL, indicate your
* decision by deleting the provisions above and replace them with the notice
* and other provisions required by the GPL or the LGPL. If you do not delete
* the provisions above, a recipient may use your version of this file under
* the terms of any one of the CPL, the GPL or the LGPL.
***** END LICENSE BLOCK *****/
/** $Id: jde-ola.el,v 1.2 2006/08/03 16:45:33 olagus Exp $ */
/**
* @author <a href="mailto:ola.bini@ki.se">Ola Bini</a>
* @version $Revision: 1.2 $
*/
public class TypeMatcher {
public String number(float val) {
return "float";
}
public String number(int val) {
return "int";
}
} // TypeMatcher
| .version 52 0
.class public super TypeMatcher
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 37
.end linenumbertable
.end code
.end method
.method public number : (F)Ljava/lang/String;
.code stack 1 locals 2
L0: ldc 'float'
L2: areturn
L3:
.linenumbertable
L0 39
.end linenumbertable
.end code
.end method
.method public number : (I)Ljava/lang/String;
.code stack 1 locals 2
L0: ldc 'int'
L2: areturn
L3:
.linenumbertable
L0 43
.end linenumbertable
.end code
.end method
.sourcefile 'TypeMatcher.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 11:44:12 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class TypeMatcher_ESTest extends TypeMatcher_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
TypeMatcher typeMatcher0 = new TypeMatcher();
String string0 = typeMatcher0.number((float) 70);
assertEquals("float", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
TypeMatcher typeMatcher0 = new TypeMatcher();
String string0 = typeMatcher0.number(70);
assertEquals("int", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 11:44:12 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class TypeMatcher_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "TypeMatcher";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp6n_asn58");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TypeMatcher_ESTest_scaffolding.class.getClassLoader() ,
"TypeMatcher"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TypeMatcher_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"TypeMatcher"
);
}
}
| 12,185 |
AuthorizationException | public class AuthorizationException extends Exception {
private static final long serialVersionUID = 1L;
public AuthorizationException() {
super();
}
public AuthorizationException(String msg) {
super(msg);
}
public AuthorizationException(String msg, Throwable cause) {
super(msg, cause);
}
}
| .version 52 0
.class public super AuthorizationException
.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 8
L4 9
.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 12
L5 13
.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 16
L6 17
.end linenumbertable
.end code
.end method
.sourcefile 'AuthorizationException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 19: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.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 AuthorizationException_ESTest extends AuthorizationException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
AuthorizationException authorizationException0 = new AuthorizationException();
}
@Test(timeout = 4000)
public void test1() throws Throwable {
AuthorizationException authorizationException0 = new AuthorizationException((String) null);
MockThrowable mockThrowable0 = new MockThrowable(authorizationException0);
AuthorizationException authorizationException1 = new AuthorizationException("", mockThrowable0);
assertFalse(authorizationException1.equals((Object)authorizationException0));
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 19: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 AuthorizationException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "AuthorizationException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpxqorzzeg");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(AuthorizationException_ESTest_scaffolding.class.getClassLoader() ,
"AuthorizationException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AuthorizationException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"AuthorizationException"
);
}
}
| 12,186 |
Test | import java.util.concurrent.atomic.AtomicIntegerArray;
// "Convert to atomic" "true"
class Test {
final AtomicIntegerArray ii = new AtomicIntegerArray(new int[12]);
void m() {
int k = ii.length();
}
}
| .version 52 0
.class super Test
.super java/lang/Object
.field final ii Ljava/util/concurrent/atomic/AtomicIntegerArray;
.method <init> : ()V
.code stack 4 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: new java/util/concurrent/atomic/AtomicIntegerArray
L8: dup
L9: bipush 12
L11: newarray int
L13: invokespecial Method java/util/concurrent/atomic/AtomicIntegerArray <init> ([I)V
L16: putfield Field Test ii Ljava/util/concurrent/atomic/AtomicIntegerArray;
L19: return
L20:
.linenumbertable
L0 4
L4 5
.end linenumbertable
.end code
.end method
.method m : ()V
.code stack 1 locals 2
L0: aload_0
L1: getfield Field Test ii Ljava/util/concurrent/atomic/AtomicIntegerArray;
L4: invokevirtual Method java/util/concurrent/atomic/AtomicIntegerArray length ()I
L7: istore_1
L8: return
L9:
.linenumbertable
L0 8
L8 9
.end linenumbertable
.end code
.end method
.sourcefile 'Test.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 17:07:02 GMT 2022
*/
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Test_ESTest extends Test_ESTest_scaffolding {
@org.junit.Test(timeout = 4000)
public void test0() throws Throwable {
Test test0 = new Test();
test0.m();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 17:07:02 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Test_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Test";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpy7dy52y4");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Test_ESTest_scaffolding.class.getClassLoader() ,
"Test"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Test_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Test"
);
}
}
| 12,187 |
BitMasker | /*
* Author: tdanford
* Date: Sep 25, 2008
*/
import java.util.*;
public class BitMasker {
public static int[] bitMasks;
static {
bitMasks = new int[32];
int baseMask = 0x00000001;
for (int i = 0; i < bitMasks.length; i++) {
int mask = baseMask << i;
bitMasks[i] = mask;
// System.out.println(String.format("%d: \t%08x", i, bitMasks[i]));
}
}
public static int packBytes(byte[] b, int off) {
if (off < 0 || off + 4 > b.length) throw new IllegalArgumentException();
int blank = 0;
blank += (((int) b[0]) << 24);
blank += (((int) b[1]) << 16);
blank += (((int) b[2]) << 8);
blank += ((int) b[3]);
return blank;
}
public static int setBit(int bits, int i, boolean value) {
if (value) {
return bits | bitMasks[i];
} else {
return bits & (~bitMasks[i]);
}
}
public static boolean hasAnyBit(int bits) {
return bits != 0;
}
public static boolean hasAllBits(int bits) {
return bits == 0xFFFFFFFF;
}
public static boolean hasBit(int bits, int i) {
// System.out.println(String.format("%08x (@ %d : %08x) -> %08x",
// bits, i, bitMasks[i], (bits&bitMasks[i])));
return (bits & bitMasks[i]) != 0;
}
public static Set<Integer> findBits(int bits) {
TreeSet<Integer> bitset = new TreeSet<Integer>();
for (int i = 0; i < bitMasks.length; i++) {
if (hasBit(bits, i)) {
bitset.add(i);
}
}
return bitset;
}
public static int countBits(int bits, boolean value) {
int count = 0;
for (int i = 0; i < bitMasks.length; i++) {
if (hasBit(bits, i) == value) {
count += 1;
}
}
return count;
}
public static int findFirst(int bits, boolean value) {
for (int i = 0; i < bitMasks.length; i++) {
if (hasBit(bits, i) == value) {
return i;
}
}
return -1;
}
public static int findLast(int bits, boolean value) {
for (int i = bitMasks.length - 1; i >= 0; i--) {
if (hasBit(bits, i) == value) {
return i;
}
}
return -1;
}
}
| .version 52 0
.class public super BitMasker
.super java/lang/Object
.field public static bitMasks [I
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 9
.end linenumbertable
.end code
.end method
.method public static packBytes : ([BI)I
.code stack 3 locals 3
L0: iload_1
L1: iflt L12
L4: iload_1
L5: iconst_4
L6: iadd
L7: aload_0
L8: arraylength
L9: if_icmple L20
.stack same
L12: new java/lang/IllegalArgumentException
L15: dup
L16: invokespecial Method java/lang/IllegalArgumentException <init> ()V
L19: athrow
.stack same
L20: iconst_0
L21: istore_2
L22: iload_2
L23: aload_0
L24: iconst_0
L25: baload
L26: bipush 24
L28: ishl
L29: iadd
L30: istore_2
L31: iload_2
L32: aload_0
L33: iconst_1
L34: baload
L35: bipush 16
L37: ishl
L38: iadd
L39: istore_2
L40: iload_2
L41: aload_0
L42: iconst_2
L43: baload
L44: bipush 8
L46: ishl
L47: iadd
L48: istore_2
L49: iload_2
L50: aload_0
L51: iconst_3
L52: baload
L53: iadd
L54: istore_2
L55: iload_2
L56: ireturn
L57:
.linenumbertable
L0 24
L20 25
L22 26
L31 27
L40 28
L49 29
L55 30
.end linenumbertable
.end code
.end method
.method public static setBit : (IIZ)I
.code stack 3 locals 3
L0: iload_2
L1: ifeq L12
L4: iload_0
L5: getstatic Field BitMasker bitMasks [I
L8: iload_1
L9: iaload
L10: ior
L11: ireturn
.stack same
L12: iload_0
L13: getstatic Field BitMasker bitMasks [I
L16: iload_1
L17: iaload
L18: iconst_m1
L19: ixor
L20: iand
L21: ireturn
L22:
.linenumbertable
L0 34
L4 35
L12 37
.end linenumbertable
.end code
.end method
.method public static hasAnyBit : (I)Z
.code stack 1 locals 1
L0: iload_0
L1: ifeq L8
L4: iconst_1
L5: goto L9
.stack same
L8: iconst_0
.stack stack_1 Integer
L9: ireturn
L10:
.linenumbertable
L0 42
.end linenumbertable
.end code
.end method
.method public static hasAllBits : (I)Z
.code stack 2 locals 1
L0: iload_0
L1: iconst_m1
L2: if_icmpne L9
L5: iconst_1
L6: goto L10
.stack same
L9: iconst_0
.stack stack_1 Integer
L10: ireturn
L11:
.linenumbertable
L0 46
.end linenumbertable
.end code
.end method
.method public static hasBit : (II)Z
.code stack 3 locals 2
L0: iload_0
L1: getstatic Field BitMasker bitMasks [I
L4: iload_1
L5: iaload
L6: iand
L7: ifeq L14
L10: iconst_1
L11: goto L15
.stack same
L14: iconst_0
.stack stack_1 Integer
L15: ireturn
L16:
.linenumbertable
L0 52
.end linenumbertable
.end code
.end method
.method public static findBits : (I)Ljava/util/Set;
.code stack 2 locals 3
L0: new java/util/TreeSet
L3: dup
L4: invokespecial Method java/util/TreeSet <init> ()V
L7: astore_1
L8: iconst_0
L9: istore_2
.stack append Object java/util/TreeSet Integer
L10: iload_2
L11: getstatic Field BitMasker bitMasks [I
L14: arraylength
L15: if_icmpge L41
L18: iload_0
L19: iload_2
L20: invokestatic Method BitMasker hasBit (II)Z
L23: ifeq L35
L26: aload_1
L27: iload_2
L28: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L31: invokevirtual Method java/util/TreeSet add (Ljava/lang/Object;)Z
L34: pop
.stack same
L35: iinc 2 1
L38: goto L10
.stack chop 1
L41: aload_1
L42: areturn
L43:
.linenumbertable
L0 56
L8 57
L18 58
L26 59
L35 57
L41 62
.end linenumbertable
.end code
.signature (I)Ljava/util/Set<Ljava/lang/Integer;>;
.end method
.method public static countBits : (IZ)I
.code stack 2 locals 4
L0: iconst_0
L1: istore_2
L2: iconst_0
L3: istore_3
.stack append Integer Integer
L4: iload_3
L5: getstatic Field BitMasker bitMasks [I
L8: arraylength
L9: if_icmpge L30
L12: iload_0
L13: iload_3
L14: invokestatic Method BitMasker hasBit (II)Z
L17: iload_1
L18: if_icmpne L24
L21: iinc 2 1
.stack same
L24: iinc 3 1
L27: goto L4
.stack chop 1
L30: iload_2
L31: ireturn
L32:
.linenumbertable
L0 66
L2 67
L12 68
L21 69
L24 67
L30 72
.end linenumbertable
.end code
.end method
.method public static findFirst : (IZ)I
.code stack 2 locals 3
L0: iconst_0
L1: istore_2
.stack append Integer
L2: iload_2
L3: getstatic Field BitMasker bitMasks [I
L6: arraylength
L7: if_icmpge L27
L10: iload_0
L11: iload_2
L12: invokestatic Method BitMasker hasBit (II)Z
L15: iload_1
L16: if_icmpne L21
L19: iload_2
L20: ireturn
.stack same
L21: iinc 2 1
L24: goto L2
.stack chop 1
L27: iconst_m1
L28: ireturn
L29:
.linenumbertable
L0 76
L10 77
L21 76
L27 79
.end linenumbertable
.end code
.end method
.method public static findLast : (IZ)I
.code stack 2 locals 3
L0: getstatic Field BitMasker bitMasks [I
L3: arraylength
L4: iconst_1
L5: isub
L6: istore_2
.stack append Integer
L7: iload_2
L8: iflt L28
L11: iload_0
L12: iload_2
L13: invokestatic Method BitMasker hasBit (II)Z
L16: iload_1
L17: if_icmpne L22
L20: iload_2
L21: ireturn
.stack same
L22: iinc 2 -1
L25: goto L7
.stack chop 1
L28: iconst_m1
L29: ireturn
L30:
.linenumbertable
L0 83
L11 84
L22 83
L28 86
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 3 locals 3
L0: bipush 32
L2: newarray int
L4: putstatic Field BitMasker bitMasks [I
L7: iconst_1
L8: istore_0
L9: iconst_0
L10: istore_1
.stack append Integer Integer
L11: iload_1
L12: getstatic Field BitMasker bitMasks [I
L15: arraylength
L16: if_icmpge L35
L19: iload_0
L20: iload_1
L21: ishl
L22: istore_2
L23: getstatic Field BitMasker bitMasks [I
L26: iload_1
L27: iload_2
L28: iastore
L29: iinc 1 1
L32: goto L11
.stack chop 2
L35: return
L36:
.linenumbertable
L0 14
L7 15
L9 16
L19 17
L23 18
L29 16
L35 21
.end linenumbertable
.end code
.end method
.sourcefile 'BitMasker.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 08:50:40 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.util.Set;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class BitMasker_ESTest extends BitMasker_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
int int0 = BitMasker.countBits((-14160), false);
int int1 = BitMasker.setBit(10, 10, false);
assertTrue(int1 == int0);
int int2 = BitMasker.countBits((-14160), true);
assertEquals(22, int2);
byte[] byteArray0 = new byte[9];
byteArray0[0] = (byte)31;
byteArray0[1] = (byte)61;
byteArray0[2] = (byte)73;
byteArray0[3] = (byte)0;
byteArray0[4] = (byte)3;
byteArray0[5] = (byte)0;
byteArray0[6] = (byte)3;
byteArray0[7] = (byte) (-1);
byteArray0[8] = (byte)0;
int int3 = BitMasker.packBytes(byteArray0, 0);
assertEquals(524110080, int3);
boolean boolean0 = BitMasker.hasAnyBit(0);
assertFalse(boolean0);
BitMasker bitMasker0 = new BitMasker();
Set<Integer> set0 = BitMasker.findBits((-93070));
assertTrue(set0.contains(10));
assertEquals(22, set0.size());
int int4 = BitMasker.findFirst((-22545), true);
assertEquals(0, int4);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
BitMasker.findFirst((-86790), false);
BitMasker.hasAllBits((-86790));
boolean boolean0 = false;
BitMasker.findLast((-86790), false);
BitMasker.findBits((-6845));
BitMasker.countBits(60542, false);
BitMasker.hasAnyBit((-86790));
int int0 = 15435;
// Undeclared exception!
try {
BitMasker.hasBit((-6845), 15435);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// no message in exception (getMessage() returned null)
//
}
}
@Test(timeout = 4000)
public void test02() throws Throwable {
int int0 = BitMasker.countBits(420, true);
assertEquals(4, int0);
BitMasker.hasAllBits(4);
BitMasker.findBits(0);
boolean boolean0 = BitMasker.hasAllBits(0);
assertFalse(boolean0);
int int1 = BitMasker.countBits(0, false);
assertEquals(32, int1);
int int2 = BitMasker.findFirst(0, false);
assertEquals(0, int2);
int int3 = BitMasker.findFirst(32, true);
assertEquals(5, int3);
Set<Integer> set0 = BitMasker.findBits(0);
assertEquals(0, set0.size());
BitMasker.hasAllBits(4);
boolean boolean1 = BitMasker.hasBit((-4148), 5);
assertFalse(boolean1);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
byte[] byteArray0 = new byte[2];
byte byte0 = (byte)108;
byteArray0[0] = (byte)108;
byteArray0[1] = (byte)16;
// Undeclared exception!
try {
BitMasker.packBytes(byteArray0, (byte)108);
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("BitMasker", e);
}
}
@Test(timeout = 4000)
public void test04() throws Throwable {
int int0 = BitMasker.findFirst(0, true);
int int1 = BitMasker.findLast((-1), true);
BitMasker.findLast(0, false);
int int2 = BitMasker.setBit(31, 31, false);
assertTrue(int2 == int1);
Set<Integer> set0 = BitMasker.findBits((-5875));
assertEquals(24, set0.size());
int int3 = BitMasker.findLast(0, true);
assertTrue(int3 == int0);
int int4 = BitMasker.countBits((-1), false);
int int5 = BitMasker.findFirst((-7047), true);
assertTrue(int5 == int4);
BitMasker bitMasker0 = new BitMasker();
BitMasker.bitMasks = bitMasker0.bitMasks;
BitMasker.bitMasks = bitMasker0.bitMasks;
boolean boolean0 = BitMasker.hasAnyBit((-38146));
assertTrue(boolean0);
boolean boolean1 = BitMasker.hasBit(31, 0);
assertTrue(boolean1);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
int int0 = BitMasker.findFirst((-81879), true);
assertEquals(0, int0);
boolean boolean0 = BitMasker.hasAnyBit(0);
boolean boolean1 = BitMasker.hasAllBits(0);
assertTrue(boolean1 == boolean0);
int int1 = BitMasker.findLast(0, false);
assertEquals(31, int1);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
BitMasker.setBit(0, 0, false);
BitMasker bitMasker0 = new BitMasker();
// Undeclared exception!
try {
BitMasker.packBytes((byte[]) null, 2);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("BitMasker", e);
}
}
@Test(timeout = 4000)
public void test07() throws Throwable {
BitMasker.hasBit((-64677), 4);
// Undeclared exception!
try {
BitMasker.packBytes((byte[]) null, 22537);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("BitMasker", e);
}
}
@Test(timeout = 4000)
public void test08() throws Throwable {
boolean boolean0 = false;
BitMasker.findLast(0, false);
byte[] byteArray0 = new byte[6];
byteArray0[0] = (byte)0;
byteArray0[1] = (byte)0;
byteArray0[2] = (byte) (-59);
byteArray0[3] = (byte)79;
byteArray0[4] = (byte)0;
byteArray0[5] = (byte)0;
BitMasker.packBytes(byteArray0, 0);
int int0 = 0;
// Undeclared exception!
try {
BitMasker.setBit(0, (byte)79, true);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 79
//
verifyException("BitMasker", e);
}
}
@Test(timeout = 4000)
public void test09() throws Throwable {
int int0 = 0;
BitMasker.hasAllBits(0);
BitMasker.findLast(25215, true);
BitMasker.hasAnyBit(25215);
byte[] byteArray0 = new byte[3];
byteArray0[0] = (byte)0;
byte byte0 = (byte) (-1);
byteArray0[1] = (byte) (-1);
byte byte1 = (byte)0;
byteArray0[2] = (byte)0;
// Undeclared exception!
try {
BitMasker.packBytes(byteArray0, (-19469));
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("BitMasker", e);
}
}
@Test(timeout = 4000)
public void test10() throws Throwable {
int int0 = (-35230);
BitMasker.countBits((-35230), false);
BitMasker.hasAnyBit(8);
BitMasker.hasBit(47740, 0);
BitMasker.setBit((-11244), 1, true);
int int1 = 41189;
// Undeclared exception!
try {
BitMasker.hasBit(41189, 124275);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// no message in exception (getMessage() returned null)
//
}
}
@Test(timeout = 4000)
public void test11() throws Throwable {
BitMasker.hasBit((-66587), 0);
int int0 = BitMasker.findLast(0, true);
assertEquals((-1), int0);
BitMasker bitMasker0 = new BitMasker();
int int1 = BitMasker.setBit((-49885), 0, true);
assertEquals((-49885), int1);
int int2 = BitMasker.findFirst(26123, true);
assertEquals(0, int2);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
int int0 = 25124;
boolean boolean0 = true;
BitMasker.countBits(25124, true);
BitMasker.findLast(5, true);
byte[] byteArray0 = new byte[5];
byte byte0 = (byte) (-59);
byteArray0[0] = (byte) (-59);
byteArray0[1] = (byte)112;
byteArray0[2] = (byte)0;
byteArray0[3] = (byte) (-35);
byteArray0[4] = (byte) (-66);
BitMasker.packBytes(byteArray0, 0);
// Undeclared exception!
try {
BitMasker.hasBit(52242, (byte)112);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// no message in exception (getMessage() returned null)
//
}
}
@Test(timeout = 4000)
public void test13() throws Throwable {
BitMasker bitMasker0 = new BitMasker();
Set<Integer> set0 = BitMasker.findBits(0);
BitMasker.bitMasks = bitMasker0.bitMasks;
Set<Integer> set1 = BitMasker.findBits((-1));
assertFalse(set1.contains((-1)));
assertEquals(32, set1.size());
assertFalse(set1.equals((Object)set0));
}
@Test(timeout = 4000)
public void test14() throws Throwable {
boolean boolean0 = BitMasker.hasAllBits((-1));
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
BitMasker bitMasker0 = new BitMasker();
BitMasker.findBits(92687);
BitMasker.findBits(1);
BitMasker.findBits(0);
BitMasker.hasBit((-41572), 0);
byte[] byteArray0 = new byte[3];
byteArray0[0] = (byte) (-24);
byteArray0[1] = (byte)71;
byteArray0[2] = (byte) (-2);
// Undeclared exception!
try {
BitMasker.packBytes(byteArray0, (byte) (-2));
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("BitMasker", e);
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 08:50: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 BitMasker_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "BitMasker";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpqr5d9rf1");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BitMasker_ESTest_scaffolding.class.getClassLoader() ,
"BitMasker"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BitMasker_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"BitMasker"
);
}
}
| 12,188 |
EmptyDirCheck | import java.io.File;
public class EmptyDirCheck {
public static void main(String[] args) {
File file = new File("C:/Users/kodejava/Documents");
// Check to see if the object represent a directory.
if (file.isDirectory()) {
// Get list of file in the directory. When its length is not zero
// the folder is not empty.
String[] files = file.list();
if (files != null && files.length > 0) {
System.out.println("The " + file.getPath() + " is not empty!");
}
}
}
}
| .version 52 0
.class public super EmptyDirCheck
.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/io/File
L3: dup
L4: ldc 'C:/Users/kodejava/Documents'
L6: invokespecial Method java/io/File <init> (Ljava/lang/String;)V
L9: astore_1
L10: aload_1
L11: invokevirtual Method java/io/File isDirectory ()Z
L14: ifeq L64
L17: aload_1
L18: invokevirtual Method java/io/File list ()[Ljava/lang/String;
L21: astore_2
L22: aload_2
L23: ifnull L64
L26: aload_2
L27: arraylength
L28: ifle L64
L31: getstatic Field java/lang/System out Ljava/io/PrintStream;
L34: new java/lang/StringBuilder
L37: dup
L38: invokespecial Method java/lang/StringBuilder <init> ()V
L41: ldc 'The '
L43: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L46: aload_1
L47: invokevirtual Method java/io/File getPath ()Ljava/lang/String;
L50: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L53: ldc ' is not empty!'
L55: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L58: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L61: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack append Object java/io/File
L64: return
L65:
.linenumbertable
L0 7
L10 10
L17 13
L22 15
L31 16
L64 19
.end linenumbertable
.end code
.end method
.sourcefile 'EmptyDirCheck.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 16:30:53 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.testdata.EvoSuiteFile;
import org.evosuite.runtime.testdata.FileSystemHandling;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class EmptyDirCheck_ESTest extends EmptyDirCheck_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[21];
EvoSuiteFile evoSuiteFile0 = new EvoSuiteFile("C:/Users/kodejava/Documents");
FileSystemHandling.createFolder(evoSuiteFile0);
EmptyDirCheck.main(stringArray0);
assertEquals(21, stringArray0.length);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
String[] stringArray0 = new String[21];
EmptyDirCheck.main(stringArray0);
assertEquals(21, stringArray0.length);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
EmptyDirCheck emptyDirCheck0 = new EmptyDirCheck();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 16:30: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 EmptyDirCheck_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "EmptyDirCheck";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpvx6y1_63");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(EmptyDirCheck_ESTest_scaffolding.class.getClassLoader() ,
"EmptyDirCheck"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(EmptyDirCheck_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"EmptyDirCheck"
);
}
}
| 12,189 |
JudgeDate | import java.text.SimpleDateFormat;
public class JudgeDate {
/**
* �ж��Ƿ�Ϊ�Ϸ�������ʱ���ַ�
*
* @param str_input
* @param str_input
* @return boolean;���Ϊtrue,�����Ϊfalse
*/
public static boolean isDate(String str_input, String rDateFormat) {
if (!isNull(str_input)) {
SimpleDateFormat formatter = new SimpleDateFormat(rDateFormat);
formatter.setLenient(false);
try {
formatter.format(formatter.parse(str_input));
} catch (Exception e) {
return false;
}
return true;
}
return false;
}
public static boolean isNull(String str) {
if (str == null) return true;
else return false;
}
}
| .version 52 0
.class public super JudgeDate
.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 isDate : (Ljava/lang/String;Ljava/lang/String;)Z
.code stack 3 locals 4
L0: aload_0
L1: invokestatic Method JudgeDate isNull (Ljava/lang/String;)Z
L4: ifne L39
L7: new java/text/SimpleDateFormat
L10: dup
L11: aload_1
L12: invokespecial Method java/text/SimpleDateFormat <init> (Ljava/lang/String;)V
L15: astore_2
L16: aload_2
L17: iconst_0
L18: invokevirtual Method java/text/SimpleDateFormat setLenient (Z)V
.catch java/lang/Exception from L21 to L31 using L34
L21: aload_2
L22: aload_2
L23: aload_0
L24: invokevirtual Method java/text/SimpleDateFormat parse (Ljava/lang/String;)Ljava/util/Date;
L27: invokevirtual Method java/text/SimpleDateFormat format (Ljava/util/Date;)Ljava/lang/String;
L30: pop
L31: goto L37
.stack full
locals Object java/lang/String Object java/lang/String Object java/text/SimpleDateFormat
stack Object java/lang/Exception
.end stack
L34: astore_3
L35: iconst_0
L36: ireturn
.stack same
L37: iconst_1
L38: ireturn
.stack chop 1
L39: iconst_0
L40: ireturn
L41:
.linenumbertable
L0 14
L7 15
L16 16
L21 18
L31 21
L34 19
L35 20
L37 22
L39 24
.end linenumbertable
.end code
.end method
.method public static isNull : (Ljava/lang/String;)Z
.code stack 1 locals 1
L0: aload_0
L1: ifnonnull L6
L4: iconst_1
L5: ireturn
.stack same
L6: iconst_0
L7: ireturn
L8:
.linenumbertable
L0 27
L4 28
L6 30
.end linenumbertable
.end code
.end method
.sourcefile 'JudgeDate.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 17:02: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 JudgeDate_ESTest extends JudgeDate_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
boolean boolean0 = JudgeDate.isDate("%", "%");
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
boolean boolean0 = JudgeDate.isNull("");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
boolean boolean0 = JudgeDate.isNull((String) null);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
boolean boolean0 = JudgeDate.isDate("", "");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
boolean boolean0 = JudgeDate.isDate((String) null, "");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
JudgeDate judgeDate0 = new JudgeDate();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 17:02: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 JudgeDate_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "JudgeDate";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmps9uwz7ig");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(JudgeDate_ESTest_scaffolding.class.getClassLoader() ,
"JudgeDate"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(JudgeDate_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"JudgeDate"
);
}
}
| 12,190 |
Car | // 2016-04-18
public class Car {
int velocity; // declare velocity with int.
int wheelNum; // declare numbr of wheels with int
String carName; // declare name of the car with String Class
public Car(String name) { // Generator that save the name by String Class
carName = name;
}
public Car(int speed) { // Generator that gets velocity value initially.
velocity = speed;
}
public Car(int speed, String name) { // Generator that gets velocity value and name initially.
carName = name;
velocity = speed;
}
public void speedUp() {
velocity = velocity + 1;
}
// Overloaded Method. Setting up the speed by parameter
public void speedUp(int speed) {
velocity += speed;
}
public void speedDown() {
velocity = velocity - 1;
if (velocity < 0) velocity = 0;
}
public void stop() {
velocity = 0;
}
public static void main(String args[]) {
Car myCar, yourCar;
myCar = new Car("소나타");
yourCar = new Car(80, "라노스");
myCar.speedUp(100); // Resize the velocity with overloaded Method. speed it up like 100km/h.
yourCar.speedUp();
System.out.println(myCar.carName + " : " + myCar.velocity);
System.out.println(yourCar.carName + " : " + yourCar.velocity);
}
}
| .version 52 0
.class public super Car
.super java/lang/Object
.field velocity I
.field wheelNum I
.field carName Ljava/lang/String;
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field Car carName Ljava/lang/String;
L9: return
L10:
.linenumbertable
L0 6
L4 7
L9 8
.end linenumbertable
.end code
.end method
.method public <init> : (I)V
.code stack 2 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iload_1
L6: putfield Field Car velocity I
L9: return
L10:
.linenumbertable
L0 9
L4 10
L9 11
.end linenumbertable
.end code
.end method
.method public <init> : (ILjava/lang/String;)V
.code stack 2 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_2
L6: putfield Field Car carName Ljava/lang/String;
L9: aload_0
L10: iload_1
L11: putfield Field Car velocity I
L14: return
L15:
.linenumbertable
L0 12
L4 13
L9 14
L14 15
.end linenumbertable
.end code
.end method
.method public speedUp : ()V
.code stack 3 locals 1
L0: aload_0
L1: aload_0
L2: getfield Field Car velocity I
L5: iconst_1
L6: iadd
L7: putfield Field Car velocity I
L10: return
L11:
.linenumbertable
L0 17
L10 18
.end linenumbertable
.end code
.end method
.method public speedUp : (I)V
.code stack 3 locals 2
L0: aload_0
L1: dup
L2: getfield Field Car velocity I
L5: iload_1
L6: iadd
L7: putfield Field Car velocity I
L10: return
L11:
.linenumbertable
L0 21
L10 22
.end linenumbertable
.end code
.end method
.method public speedDown : ()V
.code stack 3 locals 1
L0: aload_0
L1: aload_0
L2: getfield Field Car velocity I
L5: iconst_1
L6: isub
L7: putfield Field Car velocity I
L10: aload_0
L11: getfield Field Car velocity I
L14: ifge L22
L17: aload_0
L18: iconst_0
L19: putfield Field Car velocity I
.stack same
L22: return
L23:
.linenumbertable
L0 24
L10 25
L17 26
L22 27
.end linenumbertable
.end code
.end method
.method public stop : ()V
.code stack 2 locals 1
L0: aload_0
L1: iconst_0
L2: putfield Field Car velocity I
L5: return
L6:
.linenumbertable
L0 29
L5 30
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 4 locals 3
L0: new Car
L3: dup
L4: ldc '소나타'
L6: invokespecial Method Car <init> (Ljava/lang/String;)V
L9: astore_1
L10: new Car
L13: dup
L14: bipush 80
L16: ldc '라노스'
L18: invokespecial Method Car <init> (ILjava/lang/String;)V
L21: astore_2
L22: aload_1
L23: bipush 100
L25: invokevirtual Method Car speedUp (I)V
L28: aload_2
L29: invokevirtual Method Car speedUp ()V
L32: getstatic Field java/lang/System out Ljava/io/PrintStream;
L35: new java/lang/StringBuilder
L38: dup
L39: invokespecial Method java/lang/StringBuilder <init> ()V
L42: aload_1
L43: getfield Field Car carName Ljava/lang/String;
L46: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L49: ldc ' : '
L51: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L54: aload_1
L55: getfield Field Car velocity I
L58: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L61: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L64: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L67: getstatic Field java/lang/System out Ljava/io/PrintStream;
L70: new java/lang/StringBuilder
L73: dup
L74: invokespecial Method java/lang/StringBuilder <init> ()V
L77: aload_2
L78: getfield Field Car carName Ljava/lang/String;
L81: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L84: ldc ' : '
L86: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L89: aload_2
L90: getfield Field Car velocity I
L93: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L96: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L99: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L102: return
L103:
.linenumbertable
L0 33
L10 34
L22 35
L28 36
L32 37
L67 38
L102 39
.end linenumbertable
.end code
.end method
.sourcefile 'Car.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 08:51: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 Car_ESTest extends Car_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Car car0 = new Car("hSCrwT|");
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Car car0 = new Car(1, "");
car0.speedUp();
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Car car0 = new Car(1, "");
car0.speedDown();
}
@Test(timeout = 4000)
public void test3() throws Throwable {
String[] stringArray0 = new String[3];
Car.main(stringArray0);
assertEquals(3, stringArray0.length);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Car car0 = new Car(1, "");
car0.stop();
car0.speedDown();
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Car car0 = new Car(1, "");
car0.speedUp(6092);
car0.speedDown();
}
@Test(timeout = 4000)
public void test6() throws Throwable {
Car car0 = new Car(0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 08:51: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 Car_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Car";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpidxgl8k8");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Car_ESTest_scaffolding.class.getClassLoader() ,
"Car"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Car_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Car"
);
}
}
| 12,191 |
RetinographyDataSourceFilter | public class RetinographyDataSourceFilter {
private String recruitmentNumber;
private String examName;
private Integer sending;
private String eyeSelected;
public String getExamName() {
return examName;
}
public void setRecruitmentNumber(String recruitmentNumber) {
this.recruitmentNumber = recruitmentNumber;
}
public String getRecruitmentNumber() {
return recruitmentNumber;
}
public Integer getSending() {
return sending;
}
public String getEyeSelected() {
return eyeSelected;
}
}
| .version 52 0
.class public super RetinographyDataSourceFilter
.super java/lang/Object
.field private recruitmentNumber Ljava/lang/String;
.field private examName Ljava/lang/String;
.field private sending Ljava/lang/Integer;
.field private eyeSelected 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 getExamName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field RetinographyDataSourceFilter examName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 11
.end linenumbertable
.end code
.end method
.method public setRecruitmentNumber : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field RetinographyDataSourceFilter recruitmentNumber Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 15
L5 16
.end linenumbertable
.end code
.end method
.method public getRecruitmentNumber : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field RetinographyDataSourceFilter recruitmentNumber Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 19
.end linenumbertable
.end code
.end method
.method public getSending : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field RetinographyDataSourceFilter sending Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 23
.end linenumbertable
.end code
.end method
.method public getEyeSelected : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field RetinographyDataSourceFilter eyeSelected Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 27
.end linenumbertable
.end code
.end method
.sourcefile 'RetinographyDataSourceFilter.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 00:26: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 RetinographyDataSourceFilter_ESTest extends RetinographyDataSourceFilter_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
RetinographyDataSourceFilter retinographyDataSourceFilter0 = new RetinographyDataSourceFilter();
retinographyDataSourceFilter0.setRecruitmentNumber("/o'5]");
String string0 = retinographyDataSourceFilter0.getRecruitmentNumber();
assertEquals("/o'5]", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
RetinographyDataSourceFilter retinographyDataSourceFilter0 = new RetinographyDataSourceFilter();
retinographyDataSourceFilter0.setRecruitmentNumber("");
String string0 = retinographyDataSourceFilter0.getRecruitmentNumber();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
RetinographyDataSourceFilter retinographyDataSourceFilter0 = new RetinographyDataSourceFilter();
String string0 = retinographyDataSourceFilter0.getEyeSelected();
assertNull(string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
RetinographyDataSourceFilter retinographyDataSourceFilter0 = new RetinographyDataSourceFilter();
String string0 = retinographyDataSourceFilter0.getExamName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
RetinographyDataSourceFilter retinographyDataSourceFilter0 = new RetinographyDataSourceFilter();
String string0 = retinographyDataSourceFilter0.getRecruitmentNumber();
assertNull(string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
RetinographyDataSourceFilter retinographyDataSourceFilter0 = new RetinographyDataSourceFilter();
Integer integer0 = retinographyDataSourceFilter0.getSending();
assertNull(integer0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 00:26: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 RetinographyDataSourceFilter_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "RetinographyDataSourceFilter";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp1pogyk7k");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(RetinographyDataSourceFilter_ESTest_scaffolding.class.getClassLoader() ,
"RetinographyDataSourceFilter"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RetinographyDataSourceFilter_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"RetinographyDataSourceFilter"
);
}
}
| 12,192 |
SearchingClassLoader | /*
* Copyright (c) 2007 Mockito contributors
* This program is made available under the terms of the MIT License.
*/
import static java.lang.Thread.*;
import java.util.ArrayList;
import java.util.List;
/** Inspired on jMock (thanks jMock guys!!!) */
public class SearchingClassLoader extends ClassLoader {
// TODO SF potentially not needed
private final ClassLoader nextToSearch;
public SearchingClassLoader(ClassLoader parent, ClassLoader nextToSearch) {
super(parent);
this.nextToSearch = nextToSearch;
}
public static ClassLoader combineLoadersOf(Class<?>... classes) {
return combineLoadersOf(classes[0], classes);
}
private static ClassLoader combineLoadersOf(Class<?> first, Class<?>... others) {
List<ClassLoader> loaders = new ArrayList<ClassLoader>();
addIfNewElement(loaders, first.getClassLoader());
for (Class<?> c : others) {
addIfNewElement(loaders, c.getClassLoader());
}
// To support Eclipse Plug-in tests.
// In an Eclipse plug-in, we will not be on the system class loader
// but in the class loader of the plug-in.
//
// Note: I've been unable to reproduce the error in the test suite.
addIfNewElement(loaders, SearchingClassLoader.class.getClassLoader());
// To support the Maven Surefire plugin.
// Note: I've been unable to reproduce the error in the test suite.
addIfNewElement(loaders, currentThread().getContextClassLoader());
// Had to comment that out because it didn't work with in-container Spring tests
// addIfNewElement(loaders, ClassLoader.getSystemClassLoader());
return combine(loaders);
}
private static ClassLoader combine(List<ClassLoader> parentLoaders) {
ClassLoader loader = parentLoaders.get(parentLoaders.size() - 1);
for (int i = parentLoaders.size() - 2; i >= 0; i--) {
loader = new SearchingClassLoader(parentLoaders.get(i), loader);
}
return loader;
}
private static void addIfNewElement(List<ClassLoader> loaders, ClassLoader c) {
if (c != null && !loaders.contains(c)) {
loaders.add(c);
}
}
@Override
protected Class<?> findClass(String name) throws ClassNotFoundException {
if (nextToSearch != null) {
return nextToSearch.loadClass(name);
} else {
return super.findClass(name); // will throw ClassNotFoundException
}
}
}
| .version 52 0
.class public super SearchingClassLoader
.super java/lang/ClassLoader
.field private final nextToSearch Ljava/lang/ClassLoader;
.method public <init> : (Ljava/lang/ClassLoader;Ljava/lang/ClassLoader;)V
.code stack 2 locals 3
L0: aload_0
L1: aload_1
L2: invokespecial Method java/lang/ClassLoader <init> (Ljava/lang/ClassLoader;)V
L5: aload_0
L6: aload_2
L7: putfield Field SearchingClassLoader nextToSearch Ljava/lang/ClassLoader;
L10: return
L11:
.linenumbertable
L0 22
L5 23
L10 24
.end linenumbertable
.end code
.end method
.method public static varargs combineLoadersOf : ([Ljava/lang/Class;)Ljava/lang/ClassLoader;
.code stack 2 locals 1
L0: aload_0
L1: iconst_0
L2: aaload
L3: aload_0
L4: invokestatic Method SearchingClassLoader combineLoadersOf (Ljava/lang/Class;[Ljava/lang/Class;)Ljava/lang/ClassLoader;
L7: areturn
L8:
.linenumbertable
L0 27
.end linenumbertable
.end code
.signature ([Ljava/lang/Class<*>;)Ljava/lang/ClassLoader;
.end method
.method private static varargs combineLoadersOf : (Ljava/lang/Class;[Ljava/lang/Class;)Ljava/lang/ClassLoader;
.code stack 2 locals 7
L0: new java/util/ArrayList
L3: dup
L4: invokespecial Method java/util/ArrayList <init> ()V
L7: astore_2
L8: aload_2
L9: aload_0
L10: invokevirtual Method java/lang/Class getClassLoader ()Ljava/lang/ClassLoader;
L13: invokestatic Method SearchingClassLoader addIfNewElement (Ljava/util/List;Ljava/lang/ClassLoader;)V
L16: aload_1
L17: astore_3
L18: aload_3
L19: arraylength
L20: istore 4
L22: iconst_0
L23: istore 5
.stack full
locals Object java/lang/Class Object [Ljava/lang/Class; Object java/util/List Object [Ljava/lang/Class; Integer Integer
stack
.end stack
L25: iload 5
L27: iload 4
L29: if_icmpge L53
L32: aload_3
L33: iload 5
L35: aaload
L36: astore 6
L38: aload_2
L39: aload 6
L41: invokevirtual Method java/lang/Class getClassLoader ()Ljava/lang/ClassLoader;
L44: invokestatic Method SearchingClassLoader addIfNewElement (Ljava/util/List;Ljava/lang/ClassLoader;)V
L47: iinc 5 1
L50: goto L25
.stack chop 3
L53: aload_2
L54: ldc Class SearchingClassLoader
L56: invokevirtual Method java/lang/Class getClassLoader ()Ljava/lang/ClassLoader;
L59: invokestatic Method SearchingClassLoader addIfNewElement (Ljava/util/List;Ljava/lang/ClassLoader;)V
L62: aload_2
L63: invokestatic Method java/lang/Thread currentThread ()Ljava/lang/Thread;
L66: invokevirtual Method java/lang/Thread getContextClassLoader ()Ljava/lang/ClassLoader;
L69: invokestatic Method SearchingClassLoader addIfNewElement (Ljava/util/List;Ljava/lang/ClassLoader;)V
L72: aload_2
L73: invokestatic Method SearchingClassLoader combine (Ljava/util/List;)Ljava/lang/ClassLoader;
L76: areturn
L77:
.linenumbertable
L0 31
L8 33
L16 34
L38 35
L47 34
L53 43
L62 47
L72 52
.end linenumbertable
.end code
.signature (Ljava/lang/Class<*>;[Ljava/lang/Class<*>;)Ljava/lang/ClassLoader;
.end method
.method private static combine : (Ljava/util/List;)Ljava/lang/ClassLoader;
.code stack 4 locals 3
L0: aload_0
L1: aload_0
L2: invokeinterface InterfaceMethod java/util/List size ()I 1
L7: iconst_1
L8: isub
L9: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L14: checkcast java/lang/ClassLoader
L17: astore_1
L18: aload_0
L19: invokeinterface InterfaceMethod java/util/List size ()I 1
L24: iconst_2
L25: isub
L26: istore_2
.stack append Object java/lang/ClassLoader Integer
L27: iload_2
L28: iflt L56
L31: new SearchingClassLoader
L34: dup
L35: aload_0
L36: iload_2
L37: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L42: checkcast java/lang/ClassLoader
L45: aload_1
L46: invokespecial Method SearchingClassLoader <init> (Ljava/lang/ClassLoader;Ljava/lang/ClassLoader;)V
L49: astore_1
L50: iinc 2 -1
L53: goto L27
.stack chop 1
L56: aload_1
L57: areturn
L58:
.linenumbertable
L0 56
L18 58
L31 59
L50 58
L56 62
.end linenumbertable
.end code
.signature (Ljava/util/List<Ljava/lang/ClassLoader;>;)Ljava/lang/ClassLoader;
.end method
.method private static addIfNewElement : (Ljava/util/List;Ljava/lang/ClassLoader;)V
.code stack 2 locals 2
L0: aload_1
L1: ifnull L22
L4: aload_0
L5: aload_1
L6: invokeinterface InterfaceMethod java/util/List contains (Ljava/lang/Object;)Z 2
L11: ifne L22
L14: aload_0
L15: aload_1
L16: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L21: pop
.stack same
L22: return
L23:
.linenumbertable
L0 66
L14 67
L22 69
.end linenumbertable
.end code
.signature (Ljava/util/List<Ljava/lang/ClassLoader;>;Ljava/lang/ClassLoader;)V
.end method
.method protected findClass : (Ljava/lang/String;)Ljava/lang/Class;
.code stack 2 locals 2
L0: aload_0
L1: getfield Field SearchingClassLoader nextToSearch Ljava/lang/ClassLoader;
L4: ifnull L16
L7: aload_0
L8: getfield Field SearchingClassLoader nextToSearch Ljava/lang/ClassLoader;
L11: aload_1
L12: invokevirtual Method java/lang/ClassLoader loadClass (Ljava/lang/String;)Ljava/lang/Class;
L15: areturn
.stack same
L16: aload_0
L17: aload_1
L18: invokespecial Method java/lang/ClassLoader findClass (Ljava/lang/String;)Ljava/lang/Class;
L21: areturn
L22:
.linenumbertable
L0 73
L7 74
L16 76
.end linenumbertable
.end code
.exceptions java/lang/ClassNotFoundException
.signature (Ljava/lang/String;)Ljava/lang/Class<*>;
.end method
.sourcefile 'SearchingClassLoader.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 16:42:02 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.lang.reflect.Array;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class SearchingClassLoader_ESTest extends SearchingClassLoader_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ClassLoader classLoader0 = ClassLoader.getSystemClassLoader();
Class<Object>[] classArray0 = (Class<Object>[]) Array.newInstance(Class.class, 4);
Class<Object> class0 = Object.class;
classArray0[0] = class0;
Class<Object> class1 = Object.class;
classArray0[1] = class1;
Class<Object> class2 = Object.class;
classArray0[2] = class2;
Class<Object> class3 = Object.class;
classArray0[3] = class3;
ClassLoader classLoader1 = SearchingClassLoader.combineLoadersOf(classArray0);
SearchingClassLoader searchingClassLoader0 = new SearchingClassLoader(classLoader0, classLoader1);
assertFalse(searchingClassLoader0.equals((Object)classLoader1));
}
@Test(timeout = 4000)
public void test1() throws Throwable {
ClassLoader classLoader0 = ClassLoader.getSystemClassLoader();
classLoader0.setClassAssertionStatus("(ky", true);
classLoader0.setClassAssertionStatus("(ky", true);
classLoader0.setClassAssertionStatus("", true);
classLoader0.clearAssertionStatus();
SearchingClassLoader searchingClassLoader0 = new SearchingClassLoader(classLoader0, classLoader0);
searchingClassLoader0.setClassAssertionStatus("", true);
searchingClassLoader0.setPackageAssertionStatus("", true);
try {
searchingClassLoader0.findClass("(ky");
fail("Expecting exception: ClassNotFoundException");
} catch(ClassNotFoundException e) {
}
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Class<Integer>[] classArray0 = (Class<Integer>[]) Array.newInstance(Class.class, 7);
Class<Integer> class0 = Integer.class;
classArray0[0] = class0;
Class<Integer> class1 = Integer.class;
classArray0[1] = class1;
Class<Integer> class2 = Integer.class;
classArray0[2] = class2;
Class<Integer> class3 = Integer.class;
classArray0[3] = class3;
Class<Integer> class4 = Integer.class;
classArray0[4] = class4;
Class<Integer> class5 = Integer.class;
classArray0[5] = class5;
Class<Integer> class6 = Integer.class;
classArray0[6] = class6;
ClassLoader classLoader0 = SearchingClassLoader.combineLoadersOf(classArray0);
SearchingClassLoader searchingClassLoader0 = new SearchingClassLoader(classLoader0, classLoader0);
String string0 = "";
try {
searchingClassLoader0.findClass("");
fail("Expecting exception: ClassNotFoundException");
} catch(ClassNotFoundException e) {
}
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Class<String>[] classArray0 = (Class<String>[]) Array.newInstance(Class.class, 7);
Class<String> class0 = String.class;
classArray0[0] = class0;
Class<String> class1 = String.class;
classArray0[1] = class1;
Class<String> class2 = String.class;
classArray0[2] = class2;
Class<String> class3 = String.class;
classArray0[3] = class3;
Class<String> class4 = String.class;
classArray0[4] = class4;
Class<String> class5 = String.class;
classArray0[5] = class5;
Class<String> class6 = String.class;
classArray0[6] = class6;
ClassLoader classLoader0 = SearchingClassLoader.combineLoadersOf(classArray0);
SearchingClassLoader searchingClassLoader0 = new SearchingClassLoader(classLoader0, classLoader0);
try {
searchingClassLoader0.findClass("");
fail("Expecting exception: ClassNotFoundException");
} catch(ClassNotFoundException e) {
}
}
@Test(timeout = 4000)
public void test4() throws Throwable {
ClassLoader classLoader0 = ClassLoader.getSystemClassLoader();
SearchingClassLoader searchingClassLoader0 = new SearchingClassLoader(classLoader0, classLoader0);
String string0 = "";
classLoader0.clearAssertionStatus();
classLoader0.setClassAssertionStatus("", true);
searchingClassLoader0.findClass("SearchingClassLoader");
Class<Integer>[] classArray0 = (Class<Integer>[]) Array.newInstance(Class.class, 2);
ClassLoader.getSystemClassLoader();
Class<Integer> class0 = Integer.class;
classArray0[0] = class0;
Class<Integer> class1 = Integer.class;
searchingClassLoader0.setPackageAssertionStatus("", true);
classArray0[1] = class1;
SearchingClassLoader.combineLoadersOf(classArray0);
SearchingClassLoader.combineLoadersOf(classArray0);
searchingClassLoader0.setDefaultAssertionStatus(false);
try {
searchingClassLoader0.findClass("%MR +i,0qt");
fail("Expecting exception: ClassNotFoundException");
} catch(ClassNotFoundException e) {
}
}
@Test(timeout = 4000)
public void test5() throws Throwable {
SearchingClassLoader searchingClassLoader0 = new SearchingClassLoader((ClassLoader) null, (ClassLoader) null);
ClassLoader.getSystemClassLoader();
try {
searchingClassLoader0.findClass("oY\"oU<W{+1b#g");
fail("Expecting exception: ClassNotFoundException");
} catch(ClassNotFoundException e) {
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 16:42:02 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class SearchingClassLoader_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "SearchingClassLoader";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpcm21wz8f");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SearchingClassLoader_ESTest_scaffolding.class.getClassLoader() ,
"SearchingClassLoader"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SearchingClassLoader_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"SearchingClassLoader"
);
}
}
| 12,193 |
MathUtils | public class MathUtils {
/**
* @param number Number of which ld is calculated
* @return ld(number)
*/
public static int log2nlz(int number) {
if (number == 0) return 0; // or throw exception
return 31 - Integer.numberOfLeadingZeros(number);
}
}
| .version 52 0
.class public super MathUtils
.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 log2nlz : (I)I
.code stack 2 locals 1
L0: iload_0
L1: ifne L6
L4: iconst_0
L5: ireturn
.stack same
L6: bipush 31
L8: iload_0
L9: invokestatic Method java/lang/Integer numberOfLeadingZeros (I)I
L12: isub
L13: ireturn
L14:
.linenumbertable
L0 13
L4 14
L6 15
.end linenumbertable
.end code
.end method
.sourcefile 'MathUtils.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 22:19:01 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class MathUtils_ESTest extends MathUtils_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
int int0 = MathUtils.log2nlz((-58176));
assertEquals(31, int0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
int int0 = MathUtils.log2nlz(27274);
assertEquals(14, int0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
int int0 = MathUtils.log2nlz(0);
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
MathUtils mathUtils0 = new MathUtils();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 22:19:01 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class MathUtils_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "MathUtils";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpfxuglxm9");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MathUtils_ESTest_scaffolding.class.getClassLoader() ,
"MathUtils"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MathUtils_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MathUtils"
);
}
}
| 12,194 |
BuyCar | /** Created by cajetan on 28/07/2017. */
public class BuyCar {
public static int[] nbMonths(
int startPriceOld, int startPriceNew, int savingperMonth, double percentLossByMonth) {
if (startPriceOld >= startPriceNew) return new int[] {0, startPriceOld - startPriceNew};
int month = 1;
double priceOld = startPriceOld;
double priceNew = startPriceNew;
double account = 0.0;
while (true) {
if (month % 2 == 0) percentLossByMonth += 0.5;
priceOld -= priceOld * (percentLossByMonth / 100.0);
priceNew -= priceNew * (percentLossByMonth / 100.0);
account += savingperMonth;
if (account + priceOld >= priceNew) break;
month++;
}
return new int[] {month, (int) Math.round(account + priceOld - priceNew)};
}
}
| .version 52 0
.class public super BuyCar
.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 nbMonths : (IIID)[I
.code stack 8 locals 12
L0: iload_0
L1: iload_1
L2: if_icmplt L19
L5: iconst_2
L6: newarray int
L8: dup
L9: iconst_0
L10: iconst_0
L11: iastore
L12: dup
L13: iconst_1
L14: iload_0
L15: iload_1
L16: isub
L17: iastore
L18: areturn
.stack same
L19: iconst_1
L20: istore 5
L22: iload_0
L23: i2d
L24: dstore 6
L26: iload_1
L27: i2d
L28: dstore 8
L30: dconst_0
L31: dstore 10
.stack full
locals Integer Integer Integer Double Integer Double Double Double
stack
.end stack
L33: iload 5
L35: iconst_2
L36: irem
L37: ifne L46
L40: dload_3
L41: ldc2_w +0.5
L44: dadd
L45: dstore_3
.stack same
L46: dload 6
L48: dload 6
L50: dload_3
L51: ldc2_w +100.0
L54: ddiv
L55: dmul
L56: dsub
L57: dstore 6
L59: dload 8
L61: dload 8
L63: dload_3
L64: ldc2_w +100.0
L67: ddiv
L68: dmul
L69: dsub
L70: dstore 8
L72: dload 10
L74: iload_2
L75: i2d
L76: dadd
L77: dstore 10
L79: dload 10
L81: dload 6
L83: dadd
L84: dload 8
L86: dcmpl
L87: iflt L93
L90: goto L99
.stack same
L93: iinc 5 1
L96: goto L33
.stack same
L99: iconst_2
L100: newarray int
L102: dup
L103: iconst_0
L104: iload 5
L106: iastore
L107: dup
L108: iconst_1
L109: dload 10
L111: dload 6
L113: dadd
L114: dload 8
L116: dsub
L117: invokestatic Method java/lang/Math round (D)J
L120: l2i
L121: iastore
L122: areturn
L123:
.linenumbertable
L0 9
L5 10
L19 12
L22 13
L26 14
L30 15
L33 18
L40 19
L46 21
L59 22
L72 23
L79 25
L90 26
L93 28
L99 31
.end linenumbertable
.end code
.end method
.sourcefile 'BuyCar.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 21:26:16 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class BuyCar_ESTest extends BuyCar_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
BuyCar buyCar0 = new BuyCar();
BuyCar.nbMonths(1, 0, 0, 0.0);
BuyCar.nbMonths(32529, 0, 0, 0.0);
BuyCar.nbMonths(0, 0, 0, 0.0);
int int0 = 1;
BuyCar.nbMonths(0, 1, 1, 0.0);
int int1 = 7653;
BuyCar.nbMonths(0, 0, 7653, (-38532.0));
BuyCar.nbMonths(0, 32529, 7653, 7653);
BuyCar.nbMonths(0, 0, 7653, 0.0);
BuyCar.nbMonths(0, 0, 7653, 32529);
BuyCar.nbMonths(1, (-35693), 32529, 0.0);
BuyCar.nbMonths(1, 1, 1, 1);
// Undeclared exception!
BuyCar.nbMonths((-21073), 0, (-21073), 0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
BuyCar buyCar0 = new BuyCar();
int int0 = 2;
BuyCar.nbMonths((-24583), (-24583), 2, 2);
int int1 = 0;
int int2 = (-1);
int int3 = 0;
BuyCar.nbMonths(0, (-1), 0, 0);
BuyCar.nbMonths(2, 32417, 2, 0.0);
BuyCar.nbMonths(32417, (-21918), 2, (-21918));
// Undeclared exception!
BuyCar.nbMonths((-24583), 34735, (-21918), (-46803.44367));
}
@Test(timeout = 4000)
public void test2() throws Throwable {
BuyCar.nbMonths(8446, (-55805), 77560, 0.0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
BuyCar.nbMonths((-63592), 15784, 0, 15784);
BuyCar.nbMonths((-63592), (-7155), 0, 41538.2203090026);
int int0 = 11002;
BuyCar.nbMonths(11002, 11002, (-63592), 0);
BuyCar buyCar0 = new BuyCar();
BuyCar.nbMonths(2, (-63592), (-3680), 23151.889779);
int int1 = 0;
double double0 = 0.0;
BuyCar.nbMonths(2, 0, 15784, 0.0);
BuyCar.nbMonths(0, (-7155), 15784, 0);
// Undeclared exception!
BuyCar.nbMonths((-49123), 0, (-63592), 0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
BuyCar buyCar0 = new BuyCar();
BuyCar.nbMonths(17837, 0, 17837, 16706.6309);
BuyCar.nbMonths(0, 0, 17837, 0);
BuyCar.nbMonths(33357, 0, 55538, 78427.429625);
int[] intArray0 = BuyCar.nbMonths(0, 0, 0, 0);
assertArrayEquals(new int[] {0, 0}, intArray0);
BuyCar.nbMonths(0, 33357, 0, 0.0);
int[] intArray1 = BuyCar.nbMonths(0, 17837, 0, 0);
assertArrayEquals(new int[] {400, 0}, intArray1);
BuyCar.nbMonths(0, (-23433), (-23433), 0);
int[] intArray2 = BuyCar.nbMonths(0, 51787, 1, 63496.6386817404);
assertArrayEquals(new int[] {1, 32831218}, intArray2);
int[] intArray3 = BuyCar.nbMonths(50809, 17837, 17837, 51787);
assertArrayEquals(new int[] {0, 32972}, intArray3);
BuyCar.nbMonths(0, 5793, (-23433), 33357);
int[] intArray4 = BuyCar.nbMonths(0, 33357, 73820, 0.0);
assertArrayEquals(new int[] {1, 40463}, intArray4);
int[] intArray5 = BuyCar.nbMonths(73820, 0, 33357, 42562.062069);
assertArrayEquals(new int[] {0, 73820}, intArray5);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 21:26: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 BuyCar_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "BuyCar";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp7zbl2ufx");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BuyCar_ESTest_scaffolding.class.getClassLoader() ,
"BuyCar"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BuyCar_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"BuyCar"
);
}
}
| 12,195 |
ByteBufferUtils | import java.nio.ByteBuffer;
public class ByteBufferUtils {
/**
* 平移字节内容
*
* @param msg
* @param offset
*/
public static void offset(ByteBuffer msg, int offset) {
if (offset == 0) return;
int length = msg.remaining();
byte[] rawBytes = msg.array();
// 向后平移4个字节
for (int i = 0; i < length; i++) {
int p = offset > 0 ? msg.limit() - 1 - i : msg.position() + i;
rawBytes[p + offset] = rawBytes[p];
}
}
public static ByteBuffer create(int length) {
ByteBuffer data = ByteBuffer.allocate(length);
return data;
}
public static ByteBuffer create(byte[] data) {
return create(data, 0, data.length);
}
public static ByteBuffer create(byte[] data, int offset, int length) {
return ByteBuffer.wrap(data, offset, length);
}
}
| .version 52 0
.class public super ByteBufferUtils
.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 offset : (Ljava/nio/ByteBuffer;I)V
.code stack 4 locals 6
L0: iload_1
L1: ifne L5
L4: return
.stack same
L5: aload_0
L6: invokevirtual Method java/nio/ByteBuffer remaining ()I
L9: istore_2
L10: aload_0
L11: invokevirtual Method java/nio/ByteBuffer array ()[B
L14: astore_3
L15: iconst_0
L16: istore 4
.stack append Integer Object [B Integer
L18: iload 4
L20: iload_2
L21: if_icmpge L65
L24: iload_1
L25: ifle L40
L28: aload_0
L29: invokevirtual Method java/nio/ByteBuffer limit ()I
L32: iconst_1
L33: isub
L34: iload 4
L36: isub
L37: goto L47
.stack same
L40: aload_0
L41: invokevirtual Method java/nio/ByteBuffer position ()I
L44: iload 4
L46: iadd
.stack stack_1 Integer
L47: istore 5
L49: aload_3
L50: iload 5
L52: iload_1
L53: iadd
L54: aload_3
L55: iload 5
L57: baload
L58: bastore
L59: iinc 4 1
L62: goto L18
.stack chop 1
L65: return
L66:
.linenumbertable
L0 14
L4 15
L5 16
L10 17
L15 19
L24 20
L49 21
L59 19
L65 23
.end linenumbertable
.end code
.end method
.method public static create : (I)Ljava/nio/ByteBuffer;
.code stack 1 locals 2
L0: iload_0
L1: invokestatic Method java/nio/ByteBuffer allocate (I)Ljava/nio/ByteBuffer;
L4: astore_1
L5: aload_1
L6: areturn
L7:
.linenumbertable
L0 26
L5 27
.end linenumbertable
.end code
.end method
.method public static create : ([B)Ljava/nio/ByteBuffer;
.code stack 3 locals 1
L0: aload_0
L1: iconst_0
L2: aload_0
L3: arraylength
L4: invokestatic Method ByteBufferUtils create ([BII)Ljava/nio/ByteBuffer;
L7: areturn
L8:
.linenumbertable
L0 31
.end linenumbertable
.end code
.end method
.method public static create : ([BII)Ljava/nio/ByteBuffer;
.code stack 3 locals 3
L0: aload_0
L1: iload_1
L2: iload_2
L3: invokestatic Method java/nio/ByteBuffer wrap ([BII)Ljava/nio/ByteBuffer;
L6: areturn
L7:
.linenumbertable
L0 35
.end linenumbertable
.end code
.end method
.sourcefile 'ByteBufferUtils.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 05:35:27 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.nio.BufferUnderflowException;
import java.nio.ByteBuffer;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class ByteBufferUtils_ESTest extends ByteBufferUtils_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ByteBufferUtils byteBufferUtils0 = new ByteBufferUtils();
ByteBuffer byteBuffer0 = ByteBufferUtils.create(0);
ByteBufferUtils.offset(byteBuffer0, 0);
ByteBufferUtils.offset(byteBuffer0, 65282);
ByteBufferUtils.create(12621);
ByteBuffer byteBuffer1 = ByteBuffer.allocate(65282);
// Undeclared exception!
try {
ByteBufferUtils.offset(byteBuffer1, 12621);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 77902
//
verifyException("ByteBufferUtils", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
byte[] byteArray0 = new byte[9];
byteArray0[0] = (byte)0;
byteArray0[1] = (byte)1;
byteArray0[2] = (byte)82;
byteArray0[3] = (byte)124;
byteArray0[4] = (byte) (-2);
byteArray0[5] = (byte) (-84);
byteArray0[6] = (byte)0;
byteArray0[7] = (byte) (-116);
byteArray0[8] = (byte)0;
ByteBuffer byteBuffer0 = ByteBufferUtils.create(byteArray0);
assertEquals("java.nio.HeapByteBuffer[pos=0 lim=9 cap=9]", byteBuffer0.toString());
}
@Test(timeout = 4000)
public void test2() throws Throwable {
int int0 = 127044;
ByteBufferUtils.create(127044);
ByteBufferUtils byteBufferUtils0 = new ByteBufferUtils();
byte[] byteArray0 = new byte[1];
byteArray0[0] = (byte)3;
// Undeclared exception!
try {
ByteBufferUtils.create(byteArray0, (int) (byte)3, 0);
fail("Expecting exception: IndexOutOfBoundsException");
} catch(IndexOutOfBoundsException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("java.nio.ByteBuffer", e);
}
}
@Test(timeout = 4000)
public void test3() throws Throwable {
byte[] byteArray0 = new byte[7];
byteArray0[0] = (byte)0;
byte byte0 = (byte)1;
byteArray0[1] = (byte)1;
byteArray0[2] = (byte)0;
byteArray0[3] = (byte) (-1);
byteArray0[4] = (byte) (-84);
byteArray0[5] = (byte)87;
byteArray0[6] = (byte) (-52);
ByteBuffer byteBuffer0 = ByteBufferUtils.create(byteArray0);
// Undeclared exception!
try {
byteBuffer0.getLong();
fail("Expecting exception: BufferUnderflowException");
} catch(BufferUnderflowException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("java.nio.Buffer", e);
}
}
@Test(timeout = 4000)
public void test4() throws Throwable {
byte[] byteArray0 = new byte[1];
byte byte0 = (byte) (-116);
byteArray0[0] = (byte) (-116);
ByteBufferUtils.create(byteArray0);
// Undeclared exception!
try {
ByteBufferUtils.create((int) (byte) (-116));
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("java.nio.ByteBuffer", e);
}
}
@Test(timeout = 4000)
public void test5() throws Throwable {
byte[] byteArray0 = new byte[7];
byteArray0[0] = (byte) (-84);
byteArray0[1] = (byte)66;
byteArray0[2] = (byte) (-1);
byteArray0[3] = (byte)1;
byteArray0[4] = (byte)1;
byteArray0[5] = (byte)0;
byteArray0[6] = (byte) (-40);
ByteBuffer byteBuffer0 = ByteBufferUtils.create(byteArray0);
ByteBufferUtils.offset(byteBuffer0, (byte)0);
assertEquals(7, byteBuffer0.limit());
assertEquals("java.nio.HeapByteBuffer[pos=0 lim=7 cap=7]", byteBuffer0.toString());
}
@Test(timeout = 4000)
public void test6() throws Throwable {
ByteBufferUtils byteBufferUtils0 = new ByteBufferUtils();
byte[] byteArray0 = new byte[0];
ByteBufferUtils.create(byteArray0);
byte[] byteArray1 = new byte[3];
byteArray1[0] = (byte)127;
byteArray1[1] = (byte) (-46);
byteArray1[2] = (byte) (-97);
ByteBufferUtils.create(byteArray1);
byte[] byteArray2 = null;
// Undeclared exception!
try {
ByteBufferUtils.create((byte[]) null);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("ByteBufferUtils", e);
}
}
@Test(timeout = 4000)
public void test7() throws Throwable {
byte[] byteArray0 = new byte[1];
byteArray0[0] = (byte)60;
ByteBufferUtils.create(byteArray0);
ByteBufferUtils.create(byteArray0, 0, 0);
ByteBufferUtils byteBufferUtils0 = new ByteBufferUtils();
ByteBufferUtils.create(0);
ByteBufferUtils.create(byteArray0);
// Undeclared exception!
try {
ByteBufferUtils.create((-57598));
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("java.nio.ByteBuffer", e);
}
}
@Test(timeout = 4000)
public void test8() throws Throwable {
ByteBufferUtils byteBufferUtils0 = new ByteBufferUtils();
byte[] byteArray0 = new byte[2];
byte byte0 = (byte)0;
byteArray0[0] = (byte)0;
byteArray0[1] = (byte) (-27);
int int0 = (-64873);
// Undeclared exception!
try {
ByteBufferUtils.create(byteArray0, (-64873), (-64873));
fail("Expecting exception: IndexOutOfBoundsException");
} catch(IndexOutOfBoundsException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("java.nio.ByteBuffer", e);
}
}
@Test(timeout = 4000)
public void test9() throws Throwable {
byte[] byteArray0 = new byte[6];
byteArray0[0] = (byte)0;
byteArray0[1] = (byte)79;
byteArray0[2] = (byte)0;
byteArray0[3] = (byte) (-1);
byteArray0[4] = (byte) (-37);
byteArray0[5] = (byte) (-1);
ByteBuffer byteBuffer0 = ByteBufferUtils.create(byteArray0);
// Undeclared exception!
try {
ByteBufferUtils.offset(byteBuffer0, (byte) (-37));
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// -37
//
verifyException("ByteBufferUtils", e);
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 05:35: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 ByteBufferUtils_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ByteBufferUtils";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpfy3pgxpt");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ByteBufferUtils_ESTest_scaffolding.class.getClassLoader() ,
"ByteBufferUtils"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ByteBufferUtils_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ByteBufferUtils"
);
}
}
| 12,196 |
User | /*
* Copyright 2014 by SCSK Corporation.
*
* This file is part of PrimeCloud Controller(TM).
*
* PrimeCloud Controller(TM) 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.
*
* PrimeCloud Controller(TM) 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 PrimeCloud Controller(TM). If not, see <http://www.gnu.org/licenses/>.
*/
import java.io.Serializable;
/** Userのエンティティクラスです。 */
public class User implements Serializable {
private static final long serialVersionUID = 1L;
private String userid;
private String alias;
private String name;
private String surname;
private String passwd;
private String url;
private Integer autologin;
private Integer autologout;
private String lang;
private Integer refresh;
private Integer type;
private String theme;
private Integer attemptFailed;
private String attemptIp;
private Integer attemptClock;
private Integer rowsPerPage;
/**
* useridを取得します。
*
* @return userid
*/
public String getUserid() {
return userid;
}
/**
* useridを設定します。
*
* @param userid userid
*/
public void setUserid(String userid) {
this.userid = userid;
}
/**
* aliasを取得します。
*
* @return alias
*/
public String getAlias() {
return alias;
}
/**
* aliasを設定します。
*
* @param alias alias
*/
public void setAlias(String alias) {
this.alias = alias;
}
/**
* nameを取得します。
*
* @return name
*/
public String getName() {
return name;
}
/**
* nameを設定します。
*
* @param name name
*/
public void setName(String name) {
this.name = name;
}
/**
* surnameを取得します。
*
* @return surname
*/
public String getSurname() {
return surname;
}
/**
* surnameを設定します。
*
* @param surname surname
*/
public void setSurname(String surname) {
this.surname = surname;
}
/**
* passwdを取得します。
*
* @return passwd
*/
public String getPasswd() {
return passwd;
}
/**
* passwdを設定します。
*
* @param passwd passwd
*/
public void setPasswd(String passwd) {
this.passwd = passwd;
}
/**
* urlを取得します。
*
* @return url
*/
public String getUrl() {
return url;
}
/**
* urlを設定します。
*
* @param url url
*/
public void setUrl(String url) {
this.url = url;
}
/**
* autologinを取得します。
*
* @return autologin
*/
public Integer getAutologin() {
return autologin;
}
/**
* autologinを設定します。
*
* @param autologin autologin
*/
public void setAutologin(Integer autologin) {
this.autologin = autologin;
}
/**
* autologoutを取得します。
*
* @return autologout
*/
public Integer getAutologout() {
return autologout;
}
/**
* autologoutを設定します。
*
* @param autologout autologout
*/
public void setAutologout(Integer autologout) {
this.autologout = autologout;
}
/**
* langを取得します。
*
* @return lang
*/
public String getLang() {
return lang;
}
/**
* langを設定します。
*
* @param lang lang
*/
public void setLang(String lang) {
this.lang = lang;
}
/**
* refreshを取得します。
*
* @return refresh
*/
public Integer getRefresh() {
return refresh;
}
/**
* refreshを設定します。
*
* @param refresh refresh
*/
public void setRefresh(Integer refresh) {
this.refresh = refresh;
}
/**
* typeを取得します。
*
* @return type
*/
public Integer getType() {
return type;
}
/**
* typeを設定します。
*
* @param type type
*/
public void setType(Integer type) {
this.type = type;
}
/**
* themeを取得します。
*
* @return theme
*/
public String getTheme() {
return theme;
}
/**
* themeを設定します。
*
* @param theme theme
*/
public void setTheme(String theme) {
this.theme = theme;
}
/**
* attemptFailedを取得します。
*
* @return attemptFailed
*/
public Integer getAttemptFailed() {
return attemptFailed;
}
/**
* attemptFailedを設定します。
*
* @param attemptFailed attemptFailed
*/
public void setAttemptFailed(Integer attemptFailed) {
this.attemptFailed = attemptFailed;
}
/**
* attemptIpを取得します。
*
* @return attemptIp
*/
public String getAttemptIp() {
return attemptIp;
}
/**
* attemptIpを設定します。
*
* @param attemptIp attemptIp
*/
public void setAttemptIp(String attemptIp) {
this.attemptIp = attemptIp;
}
/**
* attemptClockを取得します。
*
* @return attemptClock
*/
public Integer getAttemptClock() {
return attemptClock;
}
/**
* attemptClockを設定します。
*
* @param attemptClock attemptClock
*/
public void setAttemptClock(Integer attemptClock) {
this.attemptClock = attemptClock;
}
/**
* rowsPerPageを取得します。
*
* @return rowsPerPage
*/
public Integer getRowsPerPage() {
return rowsPerPage;
}
/**
* rowsPerPageを設定します。
*
* @param rowsPerPage rowsPerPage
*/
public void setRowsPerPage(Integer rowsPerPage) {
this.rowsPerPage = rowsPerPage;
}
}
| .version 52 0
.class public super User
.super java/lang/Object
.implements java/io/Serializable
.field private static final serialVersionUID J = 1L
.field private userid Ljava/lang/String;
.field private alias Ljava/lang/String;
.field private name Ljava/lang/String;
.field private surname Ljava/lang/String;
.field private passwd Ljava/lang/String;
.field private url Ljava/lang/String;
.field private autologin Ljava/lang/Integer;
.field private autologout Ljava/lang/Integer;
.field private lang Ljava/lang/String;
.field private refresh Ljava/lang/Integer;
.field private type Ljava/lang/Integer;
.field private theme Ljava/lang/String;
.field private attemptFailed Ljava/lang/Integer;
.field private attemptIp Ljava/lang/String;
.field private attemptClock Ljava/lang/Integer;
.field private rowsPerPage 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 29
.end linenumbertable
.end code
.end method
.method public getUserid : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field User userid Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 71
.end linenumbertable
.end code
.end method
.method public setUserid : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field User userid Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 80
L5 81
.end linenumbertable
.end code
.end method
.method public getAlias : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field User alias Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 89
.end linenumbertable
.end code
.end method
.method public setAlias : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field User alias Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 98
L5 99
.end linenumbertable
.end code
.end method
.method public getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field User name Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 107
.end linenumbertable
.end code
.end method
.method public setName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field User name Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 116
L5 117
.end linenumbertable
.end code
.end method
.method public getSurname : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field User surname Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 125
.end linenumbertable
.end code
.end method
.method public setSurname : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field User surname Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 134
L5 135
.end linenumbertable
.end code
.end method
.method public getPasswd : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field User passwd Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 143
.end linenumbertable
.end code
.end method
.method public setPasswd : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field User passwd Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 152
L5 153
.end linenumbertable
.end code
.end method
.method public getUrl : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field User url Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 161
.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 User url Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 170
L5 171
.end linenumbertable
.end code
.end method
.method public getAutologin : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field User autologin Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 179
.end linenumbertable
.end code
.end method
.method public setAutologin : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field User autologin Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 188
L5 189
.end linenumbertable
.end code
.end method
.method public getAutologout : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field User autologout Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 197
.end linenumbertable
.end code
.end method
.method public setAutologout : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field User autologout Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 206
L5 207
.end linenumbertable
.end code
.end method
.method public getLang : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field User lang Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 215
.end linenumbertable
.end code
.end method
.method public setLang : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field User lang Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 224
L5 225
.end linenumbertable
.end code
.end method
.method public getRefresh : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field User refresh Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 233
.end linenumbertable
.end code
.end method
.method public setRefresh : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field User refresh Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 242
L5 243
.end linenumbertable
.end code
.end method
.method public getType : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field User type Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 251
.end linenumbertable
.end code
.end method
.method public setType : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field User type Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 260
L5 261
.end linenumbertable
.end code
.end method
.method public getTheme : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field User theme Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 269
.end linenumbertable
.end code
.end method
.method public setTheme : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field User theme Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 278
L5 279
.end linenumbertable
.end code
.end method
.method public getAttemptFailed : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field User attemptFailed Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 287
.end linenumbertable
.end code
.end method
.method public setAttemptFailed : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field User attemptFailed Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 296
L5 297
.end linenumbertable
.end code
.end method
.method public getAttemptIp : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field User attemptIp Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 305
.end linenumbertable
.end code
.end method
.method public setAttemptIp : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field User attemptIp Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 314
L5 315
.end linenumbertable
.end code
.end method
.method public getAttemptClock : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field User attemptClock Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 323
.end linenumbertable
.end code
.end method
.method public setAttemptClock : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field User attemptClock Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 332
L5 333
.end linenumbertable
.end code
.end method
.method public getRowsPerPage : ()Ljava/lang/Integer;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field User rowsPerPage Ljava/lang/Integer;
L4: areturn
L5:
.linenumbertable
L0 341
.end linenumbertable
.end code
.end method
.method public setRowsPerPage : (Ljava/lang/Integer;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field User rowsPerPage Ljava/lang/Integer;
L5: return
L6:
.linenumbertable
L0 350
L5 351
.end linenumbertable
.end code
.end method
.sourcefile 'User.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 07:20: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 User_ESTest extends User_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
User user0 = new User();
user0.setUserid("");
String string0 = user0.getUserid();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
User user0 = new User();
user0.setUrl("p7qXW?A~[s)0-.");
String string0 = user0.getUrl();
assertEquals("p7qXW?A~[s)0-.", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
User user0 = new User();
user0.setUrl("");
String string0 = user0.getUrl();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
User user0 = new User();
Integer integer0 = new Integer(0);
user0.setType(integer0);
Integer integer1 = user0.getType();
assertEquals(0, (int)integer1);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
User user0 = new User();
Integer integer0 = new Integer((-22210));
user0.setType(integer0);
Integer integer1 = user0.getType();
assertEquals((-22210), (int)integer1);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
User user0 = new User();
Integer integer0 = new Integer(7421);
user0.setType(integer0);
Integer integer1 = user0.getType();
assertEquals(7421, (int)integer1);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
User user0 = new User();
user0.setTheme("t");
String string0 = user0.getTheme();
assertEquals("t", string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
User user0 = new User();
user0.setTheme("");
String string0 = user0.getTheme();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
User user0 = new User();
user0.setSurname("0G`aOet:");
String string0 = user0.getSurname();
assertEquals("0G`aOet:", string0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
User user0 = new User();
user0.setSurname("");
String string0 = user0.getSurname();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
User user0 = new User();
Integer integer0 = new Integer((-5911));
user0.setRowsPerPage(integer0);
Integer integer1 = user0.getRowsPerPage();
assertEquals((-5911), (int)integer1);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
User user0 = new User();
Integer integer0 = new Integer(0);
user0.setRowsPerPage(integer0);
Integer integer1 = user0.getRowsPerPage();
assertEquals(0, (int)integer1);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
User user0 = new User();
Integer integer0 = new Integer(1);
user0.setRowsPerPage(integer0);
Integer integer1 = user0.getRowsPerPage();
assertEquals(1, (int)integer1);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
User user0 = new User();
Integer integer0 = new Integer(1);
user0.setRefresh(integer0);
Integer integer1 = user0.getRefresh();
assertEquals(1, (int)integer1);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
User user0 = new User();
Integer integer0 = new Integer(0);
user0.setRefresh(integer0);
Integer integer1 = user0.getRefresh();
assertEquals(0, (int)integer1);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
User user0 = new User();
Integer integer0 = new Integer(64585);
user0.setRefresh(integer0);
Integer integer1 = user0.getRefresh();
assertEquals(64585, (int)integer1);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
User user0 = new User();
Integer integer0 = new Integer((-17696));
user0.setRefresh(integer0);
Integer integer1 = user0.getRefresh();
assertEquals((-17696), (int)integer1);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
User user0 = new User();
user0.setPasswd("_>L7+K");
String string0 = user0.getPasswd();
assertEquals("_>L7+K", string0);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
User user0 = new User();
user0.setPasswd("");
String string0 = user0.getPasswd();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test19() throws Throwable {
User user0 = new User();
user0.setName("t");
String string0 = user0.getName();
assertEquals("t", string0);
}
@Test(timeout = 4000)
public void test20() throws Throwable {
User user0 = new User();
user0.setName("");
String string0 = user0.getName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test21() throws Throwable {
User user0 = new User();
user0.setLang("WnsLg-:^5.");
String string0 = user0.getLang();
assertEquals("WnsLg-:^5.", string0);
}
@Test(timeout = 4000)
public void test22() throws Throwable {
User user0 = new User();
Integer integer0 = new Integer(0);
user0.setAutologout(integer0);
Integer integer1 = user0.getAutologout();
assertEquals(0, (int)integer1);
}
@Test(timeout = 4000)
public void test23() throws Throwable {
User user0 = new User();
Integer integer0 = new Integer(1);
user0.setAutologout(integer0);
Integer integer1 = user0.getAutologout();
assertEquals(1, (int)integer1);
}
@Test(timeout = 4000)
public void test24() throws Throwable {
User user0 = new User();
Integer integer0 = new Integer((-5911));
user0.setAutologout(integer0);
Integer integer1 = user0.getAutologout();
assertEquals((-5911), (int)integer1);
}
@Test(timeout = 4000)
public void test25() throws Throwable {
User user0 = new User();
Integer integer0 = Integer.getInteger("", (-46431));
user0.setAutologin(integer0);
Integer integer1 = user0.getAutologin();
assertEquals((-46431), (int)integer1);
}
@Test(timeout = 4000)
public void test26() throws Throwable {
User user0 = new User();
Integer integer0 = new Integer(0);
user0.setAutologin(integer0);
Integer integer1 = user0.getAutologin();
assertEquals(0, (int)integer1);
}
@Test(timeout = 4000)
public void test27() throws Throwable {
User user0 = new User();
Integer integer0 = new Integer((-15845));
user0.setAutologin(integer0);
Integer integer1 = user0.getAutologin();
assertEquals((-15845), (int)integer1);
}
@Test(timeout = 4000)
public void test28() throws Throwable {
User user0 = new User();
user0.setAttemptIp("p7qXW?A~[s)0-.");
String string0 = user0.getAttemptIp();
assertEquals("p7qXW?A~[s)0-.", string0);
}
@Test(timeout = 4000)
public void test29() throws Throwable {
User user0 = new User();
user0.setAttemptIp("");
String string0 = user0.getAttemptIp();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test30() throws Throwable {
User user0 = new User();
Integer integer0 = new Integer(0);
user0.setAttemptFailed(integer0);
Integer integer1 = user0.getAttemptFailed();
assertEquals(0, (int)integer1);
}
@Test(timeout = 4000)
public void test31() throws Throwable {
User user0 = new User();
Integer integer0 = new Integer((-19394));
user0.setAttemptFailed(integer0);
Integer integer1 = user0.getAttemptFailed();
assertEquals((-19394), (int)integer1);
}
@Test(timeout = 4000)
public void test32() throws Throwable {
User user0 = new User();
Integer integer0 = new Integer(19637);
user0.setAttemptFailed(integer0);
Integer integer1 = user0.getAttemptFailed();
assertEquals(19637, (int)integer1);
}
@Test(timeout = 4000)
public void test33() throws Throwable {
User user0 = new User();
Integer integer0 = new Integer((-51901));
user0.setAttemptClock(integer0);
Integer integer1 = user0.getAttemptClock();
assertEquals((-51901), (int)integer1);
}
@Test(timeout = 4000)
public void test34() throws Throwable {
User user0 = new User();
Integer integer0 = new Integer(0);
user0.setAttemptClock(integer0);
Integer integer1 = user0.getAttemptClock();
assertEquals(0, (int)integer1);
}
@Test(timeout = 4000)
public void test35() throws Throwable {
User user0 = new User();
Integer integer0 = new Integer(1);
user0.setAttemptClock(integer0);
Integer integer1 = user0.getAttemptClock();
assertEquals(1, (int)integer1);
}
@Test(timeout = 4000)
public void test36() throws Throwable {
User user0 = new User();
user0.setAlias("_>L7+K");
String string0 = user0.getAlias();
assertEquals("_>L7+K", string0);
}
@Test(timeout = 4000)
public void test37() throws Throwable {
User user0 = new User();
user0.setAlias("");
String string0 = user0.getAlias();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test38() throws Throwable {
User user0 = new User();
String string0 = user0.getName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test39() throws Throwable {
User user0 = new User();
Integer integer0 = user0.getRefresh();
assertNull(integer0);
}
@Test(timeout = 4000)
public void test40() throws Throwable {
User user0 = new User();
String string0 = user0.getUrl();
assertNull(string0);
}
@Test(timeout = 4000)
public void test41() throws Throwable {
User user0 = new User();
String string0 = user0.getPasswd();
assertNull(string0);
}
@Test(timeout = 4000)
public void test42() throws Throwable {
User user0 = new User();
user0.setLang("");
String string0 = user0.getLang();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test43() throws Throwable {
User user0 = new User();
Integer integer0 = user0.getAttemptClock();
assertNull(integer0);
}
@Test(timeout = 4000)
public void test44() throws Throwable {
User user0 = new User();
String string0 = user0.getAlias();
assertNull(string0);
}
@Test(timeout = 4000)
public void test45() throws Throwable {
User user0 = new User();
String string0 = user0.getSurname();
assertNull(string0);
}
@Test(timeout = 4000)
public void test46() throws Throwable {
User user0 = new User();
Integer integer0 = new Integer(38531);
user0.setAutologin(integer0);
Integer integer1 = user0.getAutologin();
assertEquals(38531, (int)integer1);
}
@Test(timeout = 4000)
public void test47() throws Throwable {
User user0 = new User();
String string0 = user0.getUserid();
assertNull(string0);
}
@Test(timeout = 4000)
public void test48() throws Throwable {
User user0 = new User();
Integer integer0 = user0.getRowsPerPage();
assertNull(integer0);
}
@Test(timeout = 4000)
public void test49() throws Throwable {
User user0 = new User();
String string0 = user0.getTheme();
assertNull(string0);
}
@Test(timeout = 4000)
public void test50() throws Throwable {
User user0 = new User();
String string0 = user0.getAttemptIp();
assertNull(string0);
}
@Test(timeout = 4000)
public void test51() throws Throwable {
User user0 = new User();
Integer integer0 = new Integer(38531);
user0.setAttemptClock(integer0);
Integer integer1 = user0.getAttemptClock();
assertEquals(38531, (int)integer1);
}
@Test(timeout = 4000)
public void test52() throws Throwable {
User user0 = new User();
Integer integer0 = user0.getAutologin();
assertNull(integer0);
}
@Test(timeout = 4000)
public void test53() throws Throwable {
User user0 = new User();
user0.setUserid("g&jUWw|7$");
String string0 = user0.getUserid();
assertEquals("g&jUWw|7$", string0);
}
@Test(timeout = 4000)
public void test54() throws Throwable {
User user0 = new User();
Integer integer0 = user0.getAutologout();
assertNull(integer0);
}
@Test(timeout = 4000)
public void test55() throws Throwable {
User user0 = new User();
String string0 = user0.getLang();
assertNull(string0);
}
@Test(timeout = 4000)
public void test56() throws Throwable {
User user0 = new User();
Integer integer0 = user0.getAttemptFailed();
user0.setAttemptFailed(integer0);
assertNull(user0.getTheme());
}
@Test(timeout = 4000)
public void test57() throws Throwable {
User user0 = new User();
Integer integer0 = user0.getType();
assertNull(integer0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 07:20: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 User_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "User";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpi7_t6utf");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(User_ESTest_scaffolding.class.getClassLoader() ,
"User"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(User_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"User"
);
}
}
| 12,197 |
Animal | public class Animal {
private String name;
private String type;
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public String getType() {
return type;
}
public void setType(String type) {
this.type = type;
}
@Override
public String toString() {
return "Animal [name=" + name + ", type=" + type + "]";
}
}
| .version 52 0
.class public super Animal
.super java/lang/Object
.field private name Ljava/lang/String;
.field private type 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 getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Animal name Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 11
.end linenumbertable
.end code
.end method
.method public setName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Animal name Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 15
L5 16
.end linenumbertable
.end code
.end method
.method public getType : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Animal type Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 19
.end linenumbertable
.end code
.end method
.method public setType : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Animal type Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 23
L5 24
.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 'Animal [name='
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field Animal name Ljava/lang/String;
L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L19: ldc ', type='
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: aload_0
L25: getfield Field Animal type 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 29
.end linenumbertable
.end code
.end method
.sourcefile 'Animal.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 23:36: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 Animal_ESTest extends Animal_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Animal animal0 = new Animal();
animal0.setType("]");
String string0 = animal0.getType();
assertEquals("]", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Animal animal0 = new Animal();
animal0.setType("");
String string0 = animal0.getType();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Animal animal0 = new Animal();
animal0.setName("2];]b1+x(te\"2\"X");
String string0 = animal0.getName();
assertEquals("2];]b1+x(te\"2\"X", string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Animal animal0 = new Animal();
animal0.setName("");
String string0 = animal0.getName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Animal animal0 = new Animal();
String string0 = animal0.getName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Animal animal0 = new Animal();
String string0 = animal0.toString();
assertEquals("Animal [name=null, type=null]", string0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
Animal animal0 = new Animal();
String string0 = animal0.getType();
assertNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 23:36: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 Animal_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Animal";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmptu2tejox");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Animal_ESTest_scaffolding.class.getClassLoader() ,
"Animal"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Animal_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Animal"
);
}
}
| 12,198 |
LogicalOperations | public class LogicalOperations {
private int i1;
private boolean b1;
private long l1;
private int i2;
private boolean b2;
private long l2;
public void doAnd() {
i1 = i2 & i1;
l1 = l2 & l1;
b1 = b2 & b1;
}
public void doOr() {
i1 = i2 | i1;
l1 = l2 | l1;
b1 = b2 | b1;
}
public void doXOr() {
i1 = i2 ^ i1;
l1 = l2 ^ l1;
b1 = b2 ^ b1;
}
public void doInv() {
i1 = ~i2;
l1 = ~i2;
}
public void doShl() {
i1 = i1 << i2;
l1 = l1 << l2;
}
public void doShr() {
i1 = i1 >> i2;
l1 = l1 >> l2;
}
public void doUShr() {
i1 = i1 >>> i2;
l1 = l1 >>> l2;
}
}
| .version 52 0
.class public super LogicalOperations
.super java/lang/Object
.field private i1 I
.field private b1 Z
.field private l1 J
.field private i2 I
.field private b2 Z
.field private l2 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 3
.end linenumbertable
.end code
.end method
.method public doAnd : ()V
.code stack 5 locals 1
L0: aload_0
L1: aload_0
L2: getfield Field LogicalOperations i2 I
L5: aload_0
L6: getfield Field LogicalOperations i1 I
L9: iand
L10: putfield Field LogicalOperations i1 I
L13: aload_0
L14: aload_0
L15: getfield Field LogicalOperations l2 J
L18: aload_0
L19: getfield Field LogicalOperations l1 J
L22: land
L23: putfield Field LogicalOperations l1 J
L26: aload_0
L27: aload_0
L28: getfield Field LogicalOperations b2 Z
L31: aload_0
L32: getfield Field LogicalOperations b1 Z
L35: iand
L36: putfield Field LogicalOperations b1 Z
L39: return
L40:
.linenumbertable
L0 13
L13 14
L26 15
L39 16
.end linenumbertable
.end code
.end method
.method public doOr : ()V
.code stack 5 locals 1
L0: aload_0
L1: aload_0
L2: getfield Field LogicalOperations i2 I
L5: aload_0
L6: getfield Field LogicalOperations i1 I
L9: ior
L10: putfield Field LogicalOperations i1 I
L13: aload_0
L14: aload_0
L15: getfield Field LogicalOperations l2 J
L18: aload_0
L19: getfield Field LogicalOperations l1 J
L22: lor
L23: putfield Field LogicalOperations l1 J
L26: aload_0
L27: aload_0
L28: getfield Field LogicalOperations b2 Z
L31: aload_0
L32: getfield Field LogicalOperations b1 Z
L35: ior
L36: putfield Field LogicalOperations b1 Z
L39: return
L40:
.linenumbertable
L0 19
L13 20
L26 21
L39 22
.end linenumbertable
.end code
.end method
.method public doXOr : ()V
.code stack 5 locals 1
L0: aload_0
L1: aload_0
L2: getfield Field LogicalOperations i2 I
L5: aload_0
L6: getfield Field LogicalOperations i1 I
L9: ixor
L10: putfield Field LogicalOperations i1 I
L13: aload_0
L14: aload_0
L15: getfield Field LogicalOperations l2 J
L18: aload_0
L19: getfield Field LogicalOperations l1 J
L22: lxor
L23: putfield Field LogicalOperations l1 J
L26: aload_0
L27: aload_0
L28: getfield Field LogicalOperations b2 Z
L31: aload_0
L32: getfield Field LogicalOperations b1 Z
L35: ixor
L36: putfield Field LogicalOperations b1 Z
L39: return
L40:
.linenumbertable
L0 25
L13 26
L26 27
L39 28
.end linenumbertable
.end code
.end method
.method public doInv : ()V
.code stack 3 locals 1
L0: aload_0
L1: aload_0
L2: getfield Field LogicalOperations i2 I
L5: iconst_m1
L6: ixor
L7: putfield Field LogicalOperations i1 I
L10: aload_0
L11: aload_0
L12: getfield Field LogicalOperations i2 I
L15: iconst_m1
L16: ixor
L17: i2l
L18: putfield Field LogicalOperations l1 J
L21: return
L22:
.linenumbertable
L0 31
L10 32
L21 33
.end linenumbertable
.end code
.end method
.method public doShl : ()V
.code stack 5 locals 1
L0: aload_0
L1: aload_0
L2: getfield Field LogicalOperations i1 I
L5: aload_0
L6: getfield Field LogicalOperations i2 I
L9: ishl
L10: putfield Field LogicalOperations i1 I
L13: aload_0
L14: aload_0
L15: getfield Field LogicalOperations l1 J
L18: aload_0
L19: getfield Field LogicalOperations l2 J
L22: l2i
L23: lshl
L24: putfield Field LogicalOperations l1 J
L27: return
L28:
.linenumbertable
L0 36
L13 37
L27 38
.end linenumbertable
.end code
.end method
.method public doShr : ()V
.code stack 5 locals 1
L0: aload_0
L1: aload_0
L2: getfield Field LogicalOperations i1 I
L5: aload_0
L6: getfield Field LogicalOperations i2 I
L9: ishr
L10: putfield Field LogicalOperations i1 I
L13: aload_0
L14: aload_0
L15: getfield Field LogicalOperations l1 J
L18: aload_0
L19: getfield Field LogicalOperations l2 J
L22: l2i
L23: lshr
L24: putfield Field LogicalOperations l1 J
L27: return
L28:
.linenumbertable
L0 41
L13 42
L27 43
.end linenumbertable
.end code
.end method
.method public doUShr : ()V
.code stack 5 locals 1
L0: aload_0
L1: aload_0
L2: getfield Field LogicalOperations i1 I
L5: aload_0
L6: getfield Field LogicalOperations i2 I
L9: iushr
L10: putfield Field LogicalOperations i1 I
L13: aload_0
L14: aload_0
L15: getfield Field LogicalOperations l1 J
L18: aload_0
L19: getfield Field LogicalOperations l2 J
L22: l2i
L23: lushr
L24: putfield Field LogicalOperations l1 J
L27: return
L28:
.linenumbertable
L0 46
L13 47
L27 48
.end linenumbertable
.end code
.end method
.sourcefile 'LogicalOperations.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 14:14: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 LogicalOperations_ESTest extends LogicalOperations_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
LogicalOperations logicalOperations0 = new LogicalOperations();
logicalOperations0.doInv();
logicalOperations0.doXOr();
}
@Test(timeout = 4000)
public void test1() throws Throwable {
LogicalOperations logicalOperations0 = new LogicalOperations();
logicalOperations0.doInv();
logicalOperations0.doOr();
}
@Test(timeout = 4000)
public void test2() throws Throwable {
LogicalOperations logicalOperations0 = new LogicalOperations();
logicalOperations0.doShl();
}
@Test(timeout = 4000)
public void test3() throws Throwable {
LogicalOperations logicalOperations0 = new LogicalOperations();
logicalOperations0.doInv();
logicalOperations0.doAnd();
}
@Test(timeout = 4000)
public void test4() throws Throwable {
LogicalOperations logicalOperations0 = new LogicalOperations();
logicalOperations0.doShr();
}
@Test(timeout = 4000)
public void test5() throws Throwable {
LogicalOperations logicalOperations0 = new LogicalOperations();
logicalOperations0.doUShr();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 14:14: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 LogicalOperations_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "LogicalOperations";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpcnnfpw4_");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(LogicalOperations_ESTest_scaffolding.class.getClassLoader() ,
"LogicalOperations"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(LogicalOperations_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"LogicalOperations"
);
}
}
| 12,199 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.